In [1]:
import matplotlib.pyplot as plt
import seaborn as sns
import plotly.express as px
import numpy as np
import pandas as pd
from sklearn.feature_extraction.text import CountVectorizer
from sklearn.metrics.pairwise import cosine_similarity
import nltk
from nltk.corpus import words
from sklearn.feature_extraction.text import TfidfVectorizer
from sklearn.preprocessing import StandardScaler
from sklearn.decomposition import PCA

read csv¶

  • id: The title ID
  • title: The title of the movie/TV show![image.png](attachment:image.png)
  • type: TV show or movie
  • description:A brief description
  • Release year: The release year
  • age_certification: The age certification
  • runtime: The length of the episode (SHOW) or movie
  • genres: A list of genres.
  • production_countries: A list of countries that - produced the title
  • seasons:Number of seasons if it's a SHOW
  • imdb_id: The title ID on IMDB
  • imdb_score: Score on IMDB
  • imdb_votes: Votes on IMDB
  • tmdb_popularity: Popularity on TMDB
  • tmdb_score: Score on TMDB
  • name: Actor or directors list
In [2]:
netflix_df = pd.read_csv('data/netflix.csv')
netflix_df_credits = pd.read_csv('data/netflix_credits.csv')
paramount_df = pd.read_csv('data/paramount.csv')
paramount_df_credits = pd.read_csv('data/paramount_credits.csv')
disney_df = pd.read_csv('data/disney.csv')
disney_df_credits = pd.read_csv('data/disney_credits.csv')
apple_df = pd.read_csv('data/apple.csv')
apple_df_credits = pd.read_csv('data/apple_credits.csv')
amazon_df = pd.read_csv('data/amazon.csv')
amazon_df_credits = pd.read_csv('data/amazon_credits.csv')
HBO_df = pd.read_csv('data/HBO.csv')
HBO_df_credits = pd.read_csv('data/HBO_credits.csv')
In [3]:
# CSVs from IMDB of best 100, 200, 500, 1000 best actors
# and 100, 200 best directors
top_100_actors = pd.read_csv('data/top100Actors.csv')['Name'].to_list()
top_200_actors = pd.read_csv('data/topActors.csv')['Name'].to_list()
top_500_actors = pd.read_csv('data/top500Actors.csv')['Name'].to_list()
top_1000_actors = pd.read_csv('data/top1000Actors.csv')['Name'].to_list()
top_100_directors = pd.read_csv('data/top100Directors.csv')['Name'].to_list()
top_200_directors = pd.read_csv('data/topDirectors.csv')['Name'].to_list()
In [4]:
top_200_actors = [x for x in top_200_actors if not x in top_100_actors or top_100_actors.remove(x)]
top_500_actors = [x for x in top_500_actors if not x in top_100_actors or top_100_actors.remove(x)]
top_500_actors = [x for x in top_500_actors if not x in top_200_actors or top_200_actors.remove(x)]
top_1000_actors = [x for x in top_1000_actors if not x in top_100_actors or top_100_actors.remove(x)]
top_1000_actors = [x for x in top_1000_actors if not x in top_200_actors or top_200_actors.remove(x)]
top_1000_actors = [x for x in top_1000_actors if not x in top_500_actors or top_500_actors.remove(x)]
top_200_directors = [x for x in top_200_directors if not x in top_100_directors or top_100_directors.remove(x)]
In [5]:
print(netflix_df.shape)
print(paramount_df.shape)
print(disney_df.shape)
print(apple_df.shape)
print(amazon_df.shape)
print(HBO_df.shape)
(6137, 15)
(3182, 15)
(1854, 15)
(170, 15)
(10873, 15)
(3030, 15)
In [6]:
total_credits_df = pd.concat([netflix_df_credits, paramount_df_credits, disney_df_credits, apple_df_credits, amazon_df_credits, HBO_df_credits], axis=0).reset_index()
total_credits_df.drop(['index'], axis=1, inplace=True)

total_credits_df_gb = total_credits_df.groupby('id')['name'].apply(', '.join).reset_index()
total_credits_df_gb
Out[6]:
id name
0 tm1 Mark Hamill, Harrison Ford, Carrie Fisher, Pet...
1 tm10 Keanu Reeves, Laurence Fishburne, Carrie-Anne ...
2 tm10000 Pauly Shore, Tia Carrere, Stanley Tucci, Richa...
3 tm100001 John Wayne, Barbara Sheldon, Lloyd Whitlock, G...
4 tm1000022 Xiao Tan, Wei Zhang, Bingjun Zhang, Pei Liu, L...
... ... ...
21476 ts99514 Simone Mackinder
21477 ts99529 Virge Gilchrist
21478 ts99535 Virge Gilchrist
21479 ts9986 Chris Elliott, Maria Christina Thayer, Jack Wa...
21480 ts99878 David Olusoga

21481 rows × 2 columns

In [7]:
# Leave only the actors in the best lists
for index, row in total_credits_df_gb.iterrows():
    actors = row['name'].split(', ')
    filtered_actors_1 = [actor for actor in actors if actor in top_100_actors]
    filtered_actors_2 = [actor for actor in actors if actor in top_200_actors]
    filtered_actors_3 = [actor for actor in actors if actor in top_500_actors]
    filtered_actors_4 = [actor for actor in actors if actor in top_1000_actors]
    filtered_actors_1 = list(set(filtered_actors_1))
    filtered_actors_2 = list(set(filtered_actors_2))
    filtered_actors_3 = list(set(filtered_actors_3))
    filtered_actors_4 = list(set(filtered_actors_4))
    
    filtered_directors_1 = [director for director in actors if director in top_100_directors]
    filtered_directors_2 = [director for director in actors if director in top_200_directors]
    filtered_directors_1 = list(set(filtered_directors_1))
    filtered_directors_2 = list(set(filtered_directors_2))
    
    total_credits_df_gb.at[index, 'top_1'] = ', '.join(filtered_actors_1)
    total_credits_df_gb.at[index, 'top_2'] = ', '.join(filtered_actors_2)
    total_credits_df_gb.at[index, 'top_3'] = ', '.join(filtered_actors_3)
    total_credits_df_gb.at[index, 'top_4'] = ', '.join(filtered_actors_4)
    total_credits_df_gb.at[index, 'top_d_1'] = ', '.join(filtered_directors_1)
    total_credits_df_gb.at[index, 'top_d_2'] = ', '.join(filtered_directors_2)
In [8]:
# turn name into list
total_credits_df_gb['top_1'] = total_credits_df_gb['top_1'].str.split(', ')
total_credits_df_gb['top_2'] = total_credits_df_gb['top_2'].str.split(', ')
total_credits_df_gb['top_3'] = total_credits_df_gb['top_3'].str.split(', ')
total_credits_df_gb['top_4'] = total_credits_df_gb['top_4'].str.split(', ')
total_credits_df_gb['top_d_1'] = total_credits_df_gb['top_d_1'].str.split(', ')
total_credits_df_gb['top_d_2'] = total_credits_df_gb['top_d_2'].str.split(', ')
total_credits_df_gb
Out[8]:
id name top_1 top_2 top_3 top_4 top_d_1 top_d_2
0 tm1 Mark Hamill, Harrison Ford, Carrie Fisher, Pet... [] [Peter Cushing] [James Earl Jones] [Carrie Fisher, Harrison Ford, Alec Guinness, ... [] []
1 tm10 Keanu Reeves, Laurence Fishburne, Carrie-Anne ... [] [] [Keanu Reeves, Joe Pantoliano] [Carrie-Anne Moss] [] []
2 tm10000 Pauly Shore, Tia Carrere, Stanley Tucci, Richa... [] [] [Stanley Tucci] [Shelley Winters] [] []
3 tm100001 John Wayne, Barbara Sheldon, Lloyd Whitlock, G... [] [] [] [] [] []
4 tm1000022 Xiao Tan, Wei Zhang, Bingjun Zhang, Pei Liu, L... [] [] [] [] [] []
... ... ... ... ... ... ... ... ...
21476 ts99514 Simone Mackinder [] [] [] [] [] []
21477 ts99529 Virge Gilchrist [] [] [] [] [] []
21478 ts99535 Virge Gilchrist [] [] [] [] [] []
21479 ts9986 Chris Elliott, Maria Christina Thayer, Jack Wa... [] [] [] [] [] []
21480 ts99878 David Olusoga [] [] [] [] [] []

21481 rows × 8 columns

In [9]:
def len_list(list_actors):
    if list_actors[0] == '':
        return 0
    else:
        return len(list_actors)

def score_actors(row):
    total_score = 0
    for actor in row.top_1:
        if actor == '':
            continue
        total_score += 1
    for actor in row.top_2:
        if actor == '':
            continue
        total_score += 0.5
    for actor in row.top_3:
        if actor == '':
            continue
        total_score += (1/3)
    for actor in row.top_4:
        if actor == '':
            continue
        total_score += 0.25
    return total_score

def score_directors(row):
    total_score = 0
    for director in row.top_d_1:
        if director == '':
            continue
        total_score += 1
    for director in row.top_d_2:
        if director == '':
            continue
        total_score += 0.5
    return float(total_score)
In [10]:
# score actors/directors based on the list they're in
total_credits_df_gb["score_actors"] = total_credits_df_gb.apply(lambda row: score_actors(row), axis=1)
total_credits_df_gb["score_directors"] = total_credits_df_gb.apply(lambda row: score_directors(row), axis=1)
total_credits_df_gb
Out[10]:
id name top_1 top_2 top_3 top_4 top_d_1 top_d_2 score_actors score_directors
0 tm1 Mark Hamill, Harrison Ford, Carrie Fisher, Pet... [] [Peter Cushing] [James Earl Jones] [Carrie Fisher, Harrison Ford, Alec Guinness, ... [] [] 1.833333 0.0
1 tm10 Keanu Reeves, Laurence Fishburne, Carrie-Anne ... [] [] [Keanu Reeves, Joe Pantoliano] [Carrie-Anne Moss] [] [] 0.916667 0.0
2 tm10000 Pauly Shore, Tia Carrere, Stanley Tucci, Richa... [] [] [Stanley Tucci] [Shelley Winters] [] [] 0.583333 0.0
3 tm100001 John Wayne, Barbara Sheldon, Lloyd Whitlock, G... [] [] [] [] [] [] 0.000000 0.0
4 tm1000022 Xiao Tan, Wei Zhang, Bingjun Zhang, Pei Liu, L... [] [] [] [] [] [] 0.000000 0.0
... ... ... ... ... ... ... ... ... ... ...
21476 ts99514 Simone Mackinder [] [] [] [] [] [] 0.000000 0.0
21477 ts99529 Virge Gilchrist [] [] [] [] [] [] 0.000000 0.0
21478 ts99535 Virge Gilchrist [] [] [] [] [] [] 0.000000 0.0
21479 ts9986 Chris Elliott, Maria Christina Thayer, Jack Wa... [] [] [] [] [] [] 0.000000 0.0
21480 ts99878 David Olusoga [] [] [] [] [] [] 0.000000 0.0

21481 rows × 10 columns

In [11]:
total_credits_df_gb.drop(['top_1', 'top_2', 'top_3', 'top_4', 'top_d_1', 'top_d_2'], axis=1, inplace=True)
total_credits_df_gb
Out[11]:
id name score_actors score_directors
0 tm1 Mark Hamill, Harrison Ford, Carrie Fisher, Pet... 1.833333 0.0
1 tm10 Keanu Reeves, Laurence Fishburne, Carrie-Anne ... 0.916667 0.0
2 tm10000 Pauly Shore, Tia Carrere, Stanley Tucci, Richa... 0.583333 0.0
3 tm100001 John Wayne, Barbara Sheldon, Lloyd Whitlock, G... 0.000000 0.0
4 tm1000022 Xiao Tan, Wei Zhang, Bingjun Zhang, Pei Liu, L... 0.000000 0.0
... ... ... ... ...
21476 ts99514 Simone Mackinder 0.000000 0.0
21477 ts99529 Virge Gilchrist 0.000000 0.0
21478 ts99535 Virge Gilchrist 0.000000 0.0
21479 ts9986 Chris Elliott, Maria Christina Thayer, Jack Wa... 0.000000 0.0
21480 ts99878 David Olusoga 0.000000 0.0

21481 rows × 4 columns

concat the 6 datasets into one¶

In [12]:
total_df = pd.concat([netflix_df, paramount_df, disney_df, apple_df, amazon_df, HBO_df], axis=0).reset_index()
total_df.drop(['index'], axis=1, inplace=True)
In [13]:
total_df = pd.merge(total_df, total_credits_df_gb, on='id')
total_df
Out[13]:
id title type description release_year age_certification runtime genres production_countries seasons imdb_id imdb_score imdb_votes tmdb_popularity tmdb_score name score_actors score_directors
0 tm82169 Rocky MOVIE When world heavyweight boxing champion, Apollo... 1976 PG 119 ['drama', 'sport'] ['US'] NaN tt0075148 8.1 588100.0 106.361 7.782 Sylvester Stallone, Talia Shire, Burt Young, C... 0.25 0.0
1 tm82169 Rocky MOVIE When world heavyweight boxing champion, Apollo... 1976 PG 119 ['drama', 'sport'] ['US'] NaN tt0075148 8.1 588100.0 106.361 7.782 Sylvester Stallone, Talia Shire, Burt Young, C... 0.25 0.0
2 tm82169 Rocky MOVIE When world heavyweight boxing champion, Apollo... 1976 PG 119 ['drama', 'sport'] ['US'] NaN tt0075148 8.1 588100.0 106.361 7.782 Sylvester Stallone, Talia Shire, Burt Young, C... 0.25 0.0
3 tm17823 Grease MOVIE Australian good girl Sandy and greaser Danny f... 1978 PG 110 ['romance', 'comedy'] ['US'] NaN tt0077631 7.2 283316.0 33.160 7.406 John Travolta, Olivia Newton-John, Stockard Ch... 0.50 0.0
4 tm17823 Grease MOVIE Australian good girl Sandy and greaser Danny f... 1978 PG 110 ['romance', 'comedy'] ['US'] NaN tt0077631 7.2 283316.0 33.160 7.406 John Travolta, Olivia Newton-John, Stockard Ch... 0.50 0.0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
23332 tm1305288 Marcella Arguello: Bitch, Grow Up! MOVIE Arguello couples her larger-than-life stage pr... 2023 R 37 ['comedy'] ['US'] NaN tt26623699 6.9 27.0 7.509 2.000 Marcella Arguello, Aida Rodríguez 0.00 0.0
23333 tm1303655 Super-Vilains: l'Enquête MOVIE Comic book writers discuss how they make the v... 2023 PG-13 62 ['documentation'] ['FR'] NaN tt26498712 5.5 45.0 3.402 6.000 Xavier Fournier, Frédéric Ralière 0.00 0.0
23334 tm1296261 Just a Boy From Tupelo: Bringing Elvis to the ... MOVIE Director Baz Luhrmann, actors Austin Butler an... 2023 PG-13 27 ['documentation'] [] NaN NaN NaN NaN 2.605 4.500 Elvis Presley, Austin Butler, Baz Luhrmann, To... 0.25 0.0
23335 tm1065897 Dionne Warwick: Don't Make Me Over MOVIE The story of the iconic singer's fascinating s... 2023 PG 95 ['documentation', 'music'] ['US', 'GB'] NaN tt6170406 7.8 255.0 9.371 NaN Dionne Warwick, Quincy Jones, Burt Bacharach, ... 0.50 0.0
23336 tm1304306 The Family Meeting MOVIE During a family meeting, a grandmother and gra... 2023 NaN 15 [] [] NaN NaN NaN NaN 3.091 2.000 Okieriete Onaodowan, Saidah Arrika Ekulona, Ge... 0.00 0.0

23337 rows × 18 columns

In [14]:
total_df.shape
Out[14]:
(23337, 18)
In [15]:
total_df.isna().sum()
Out[15]:
id                          0
title                       0
type                        0
description                57
release_year                0
age_certification       11942
runtime                     0
genres                      0
production_countries        0
seasons                 18526
imdb_id                  1762
imdb_score               2057
imdb_votes               2108
tmdb_popularity            11
tmdb_score               1891
name                        0
score_actors                0
score_directors             0
dtype: int64
In [16]:
total_df_cp = total_df.copy()

check for duplicates¶

In [17]:
# Seeing if we have duplicates
total_df_cp[total_df_cp.duplicated() == True]
Out[17]:
id title type description release_year age_certification runtime genres production_countries seasons imdb_id imdb_score imdb_votes tmdb_popularity tmdb_score name score_actors score_directors
1 tm82169 Rocky MOVIE When world heavyweight boxing champion, Apollo... 1976 PG 119 ['drama', 'sport'] ['US'] NaN tt0075148 8.1 588100.0 106.361 7.782 Sylvester Stallone, Talia Shire, Burt Young, C... 0.25 0.0
2 tm82169 Rocky MOVIE When world heavyweight boxing champion, Apollo... 1976 PG 119 ['drama', 'sport'] ['US'] NaN tt0075148 8.1 588100.0 106.361 7.782 Sylvester Stallone, Talia Shire, Burt Young, C... 0.25 0.0
4 tm17823 Grease MOVIE Australian good girl Sandy and greaser Danny f... 1978 PG 110 ['romance', 'comedy'] ['US'] NaN tt0077631 7.2 283316.0 33.160 7.406 John Travolta, Olivia Newton-John, Stockard Ch... 0.50 0.0
7 tm69975 Rocky II MOVIE After Rocky goes the distance with champ Apoll... 1979 PG 119 ['drama', 'sport'] ['US'] NaN tt0079817 7.3 216307.0 75.699 7.246 Sylvester Stallone, Talia Shire, Burt Young, C... 0.25 0.0
8 tm69975 Rocky II MOVIE After Rocky goes the distance with champ Apoll... 1979 PG 119 ['drama', 'sport'] ['US'] NaN tt0079817 7.3 216307.0 75.699 7.246 Sylvester Stallone, Talia Shire, Burt Young, C... 0.25 0.0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
15537 tm172988 Valentine Road MOVIE On February 12, 2008, in Oxnard, California, e... 2013 NaN 89 ['documentation', 'crime'] ['US'] NaN tt2577990 7.0 1899.0 4.244 6.400 Marta Cunningham, Marta Cunningham 0.00 0.0
15645 ts11963 Clarence SHOW In a world of noise, Clarence is a jar of suns... 2014 TV-PG 14 ['comedy', 'family', 'animation'] ['US'] 3.0 tt3061050 6.8 10242.0 65.074 7.622 Spencer Rothbell, Tom Kenny, Sean Giambrone, K... 0.00 0.0
15996 tm211204 Creed MOVIE The former World Heavyweight Champion Rocky Ba... 2015 PG-13 133 ['drama', 'family', 'action', 'sport'] ['US'] NaN tt3076658 7.6 284273.0 346.005 7.398 Michael B. Jordan, Sylvester Stallone, Tessa T... 0.25 0.0
16704 tm353731 Creed II MOVIE Between personal obligations and training for ... 2018 PG-13 130 ['action', 'drama', 'sport'] ['US'] NaN tt6343314 7.1 133593.0 374.109 6.984 Michael B. Jordan, Sylvester Stallone, Tessa T... 0.25 0.0
16729 ts42172 The Deuce SHOW The story of the legalization and subsequent r... 2017 TV-MA 65 ['drama'] ['US'] 3.0 tt4998350 8.1 29918.0 37.638 7.665 James Franco, Maggie Gyllenhaal, Chris Bauer, ... 0.25 0.0

1851 rows × 18 columns

As we can see, we have 1851 rows whice are duplicates

In [18]:
# Dropping duplicates because we predict IMDB score and there are same movies/shows in different streaming options
total_df_cp.drop_duplicates(inplace=True)
In [19]:
total_df_cp.reset_index(inplace=True)
In [20]:
total_df_cp.drop('index', axis=1, inplace=True)
In [21]:
total_df_cp.shape
Out[21]:
(21486, 18)
In [22]:
total_df_cp.isna().sum()
Out[22]:
id                          0
title                       0
type                        0
description                56
release_year                0
age_certification       10786
runtime                     0
genres                      0
production_countries        0
seasons                 16823
imdb_id                  1731
imdb_score               2020
imdb_votes               2071
tmdb_popularity            11
tmdb_score               1767
name                        0
score_actors                0
score_directors             0
dtype: int64
In [23]:
#Chck missing values
data_null = total_df_cp.isnull().sum()
data_null = data_null.drop(data_null[data_null == 0].index).sort_values(ascending=False)
data_missing = pd.DataFrame({'Missing Numbers' :data_null})
data_null =  data_null / len(total_df_cp)*100

# Barplot missing values
f, ax = plt.subplots(figsize=(15, 12))
#plt.xticks(rotation='90')
sns.barplot(x=data_null.index, y=data_null)
plt.xlabel('Features', fontsize=15)
plt.ylabel('Percent of missing values', fontsize=15)
plt.title('Percent missing data by feature', fontsize=15)

print("Variables with Missing Qty : " , data_missing.count().values)
print("Total Missing values Qty : " , data_missing.sum().values)
Variables with Missing Qty :  [8]
Total Missing values Qty :  [35265]

Handling the 'genres' and 'production_countries' columns¶

In [24]:
# For genres
total_df_cp['genres'] = total_df_cp['genres'].str.replace(r'[','').str.replace(r"'",'').str.replace(r']','')

# For countries
total_df_cp['production_countries'] = total_df_cp['production_countries'].str.replace(r'[','').str.replace(r"'",'').str.replace(r']','')
C:\Users\li493\AppData\Local\Temp\ipykernel_13524\554744558.py:2: FutureWarning: The default value of regex will change from True to False in a future version. In addition, single character regular expressions will *not* be treated as literal strings when regex=True.
  total_df_cp['genres'] = total_df_cp['genres'].str.replace(r'[','').str.replace(r"'",'').str.replace(r']','')
C:\Users\li493\AppData\Local\Temp\ipykernel_13524\554744558.py:5: FutureWarning: The default value of regex will change from True to False in a future version. In addition, single character regular expressions will *not* be treated as literal strings when regex=True.
  total_df_cp['production_countries'] = total_df_cp['production_countries'].str.replace(r'[','').str.replace(r"'",'').str.replace(r']','')

Handling the 'seasons' col¶

In [25]:
len(total_df_cp.loc[(total_df_cp['seasons'].isna()) & (total_df_cp['type'] == 'MOVIE')]) == total_df_cp.seasons.isna().sum()
Out[25]:
True

As we can see, all missing value in 'seasons' col are movies, thus we'll replace null in 0

In [26]:
# If season is null means it's movie, so we'll replace null to be 0
total_df_cp['seasons'].fillna(0, inplace=True)
In [27]:
#Chck missing values
data_null = total_df_cp.isnull().sum()
data_null = data_null.drop(data_null[data_null == 0].index).sort_values(ascending=False)
data_missing = pd.DataFrame({'Missing Numbers' :data_null})
data_null =  data_null / len(total_df_cp)*100

# Barplot missing values
f, ax = plt.subplots(figsize=(15, 12))
#plt.xticks(rotation='90')
sns.barplot(x=data_null.index, y=data_null)
plt.xlabel('Features', fontsize=15)
plt.ylabel('Percent of missing values', fontsize=15)
plt.title('Percent missing data by feature', fontsize=15)

print("Variables with Missing Qty : " , data_missing.count().values)
print("Total Missing values Qty : " , data_missing.sum().values)
Variables with Missing Qty :  [7]
Total Missing values Qty :  [18442]

add streaming_platform col - list that indicates where the movie/tv show is avialable¶

In [28]:
# we want to know for each movie/show in which streaming options it's avilable
lt = []
for i in total_df_cp['id']:
    movie_streaming = []
    if i in amazon_df['id'].values:
        movie_streaming.append('amazon')
    if i in apple_df['id'].values:
        movie_streaming.append('apple')
    if i in disney_df['id'].values:
        movie_streaming.append('disney')
    if i in HBO_df['id'].values:
        movie_streaming.append('HBO')
    if i in netflix_df['id'].values:
        movie_streaming.append('netflix')
    if i in paramount_df['id'].values:
        movie_streaming.append('paramount')
    lt.append(movie_streaming)
In [29]:
total_df_cp['streaming_platform'] = lt
In [30]:
total_df_cp
Out[30]:
id title type description release_year age_certification runtime genres production_countries seasons imdb_id imdb_score imdb_votes tmdb_popularity tmdb_score name score_actors score_directors streaming_platform
0 tm82169 Rocky MOVIE When world heavyweight boxing champion, Apollo... 1976 PG 119 drama, sport US 0.0 tt0075148 8.1 588100.0 106.361 7.782 Sylvester Stallone, Talia Shire, Burt Young, C... 0.250000 0.0 [amazon, netflix, paramount]
1 tm17823 Grease MOVIE Australian good girl Sandy and greaser Danny f... 1978 PG 110 romance, comedy US 0.0 tt0077631 7.2 283316.0 33.160 7.406 John Travolta, Olivia Newton-John, Stockard Ch... 0.500000 0.0 [netflix, paramount]
2 tm191099 The Sting MOVIE A novice con man teams up with an acknowledged... 1973 PG 129 crime, drama, comedy, music US 0.0 tt0070735 8.3 266738.0 24.616 8.020 Paul Newman, Robert Redford, Robert Shaw, Char... 1.083333 0.0 [netflix]
3 tm69975 Rocky II MOVIE After Rocky goes the distance with champ Apoll... 1979 PG 119 drama, sport US 0.0 tt0079817 7.3 216307.0 75.699 7.246 Sylvester Stallone, Talia Shire, Burt Young, C... 0.250000 0.0 [amazon, netflix, paramount]
4 tm127384 Monty Python and the Holy Grail MOVIE King Arthur, accompanied by his squire, recrui... 1975 PG 91 fantasy, comedy GB 0.0 tt0071853 8.2 547292.0 20.964 7.804 Graham Chapman, John Cleese, Eric Idle, Terry ... 0.000000 0.0 [netflix]
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 tm1305288 Marcella Arguello: Bitch, Grow Up! MOVIE Arguello couples her larger-than-life stage pr... 2023 R 37 comedy US 0.0 tt26623699 6.9 27.0 7.509 2.000 Marcella Arguello, Aida Rodríguez 0.000000 0.0 [HBO]
21482 tm1303655 Super-Vilains: l'Enquête MOVIE Comic book writers discuss how they make the v... 2023 PG-13 62 documentation FR 0.0 tt26498712 5.5 45.0 3.402 6.000 Xavier Fournier, Frédéric Ralière 0.000000 0.0 [HBO]
21483 tm1296261 Just a Boy From Tupelo: Bringing Elvis to the ... MOVIE Director Baz Luhrmann, actors Austin Butler an... 2023 PG-13 27 documentation 0.0 NaN NaN NaN 2.605 4.500 Elvis Presley, Austin Butler, Baz Luhrmann, To... 0.250000 0.0 [HBO]
21484 tm1065897 Dionne Warwick: Don't Make Me Over MOVIE The story of the iconic singer's fascinating s... 2023 PG 95 documentation, music US, GB 0.0 tt6170406 7.8 255.0 9.371 NaN Dionne Warwick, Quincy Jones, Burt Bacharach, ... 0.500000 0.0 [HBO]
21485 tm1304306 The Family Meeting MOVIE During a family meeting, a grandmother and gra... 2023 NaN 15 0.0 NaN NaN NaN 3.091 2.000 Okieriete Onaodowan, Saidah Arrika Ekulona, Ge... 0.000000 0.0 [HBO]

21486 rows × 19 columns

Visualization¶

Distribution of Release Years

In [31]:
fig = px.histogram(data_frame=total_df_cp, x='release_year', nbins=50, title='Distribution of Release Years')
fig.show()

Handling genres col¶

In [32]:
# turn genres into list
total_df_cp['genres'] = total_df_cp['genres'].str.split(', ')
In [33]:
genre_count_df = total_df_cp.explode('genres').groupby('genres')['title'].count().sort_values(ascending=False).reset_index(name='count')
genre_count_df = pd.DataFrame(genre_count_df)
genre_count_df
Out[33]:
genres count
0 drama 10383
1 comedy 7788
2 thriller 4434
3 action 4178
4 romance 3574
5 documentation 3422
6 crime 2957
7 family 2662
8 scifi 2027
9 fantasy 2025
10 animation 2021
11 horror 1862
12 european 1515
13 music 1080
14 history 1013
15 war 651
16 sport 643
17 western 593
18 reality 544
19 167
In [34]:
# drop the empty row
genre_count_df.drop(19, axis=0, inplace=True)
genre_count_df
Out[34]:
genres count
0 drama 10383
1 comedy 7788
2 thriller 4434
3 action 4178
4 romance 3574
5 documentation 3422
6 crime 2957
7 family 2662
8 scifi 2027
9 fantasy 2025
10 animation 2021
11 horror 1862
12 european 1515
13 music 1080
14 history 1013
15 war 651
16 sport 643
17 western 593
18 reality 544
In [35]:
total_df_cp
Out[35]:
id title type description release_year age_certification runtime genres production_countries seasons imdb_id imdb_score imdb_votes tmdb_popularity tmdb_score name score_actors score_directors streaming_platform
0 tm82169 Rocky MOVIE When world heavyweight boxing champion, Apollo... 1976 PG 119 [drama, sport] US 0.0 tt0075148 8.1 588100.0 106.361 7.782 Sylvester Stallone, Talia Shire, Burt Young, C... 0.250000 0.0 [amazon, netflix, paramount]
1 tm17823 Grease MOVIE Australian good girl Sandy and greaser Danny f... 1978 PG 110 [romance, comedy] US 0.0 tt0077631 7.2 283316.0 33.160 7.406 John Travolta, Olivia Newton-John, Stockard Ch... 0.500000 0.0 [netflix, paramount]
2 tm191099 The Sting MOVIE A novice con man teams up with an acknowledged... 1973 PG 129 [crime, drama, comedy, music] US 0.0 tt0070735 8.3 266738.0 24.616 8.020 Paul Newman, Robert Redford, Robert Shaw, Char... 1.083333 0.0 [netflix]
3 tm69975 Rocky II MOVIE After Rocky goes the distance with champ Apoll... 1979 PG 119 [drama, sport] US 0.0 tt0079817 7.3 216307.0 75.699 7.246 Sylvester Stallone, Talia Shire, Burt Young, C... 0.250000 0.0 [amazon, netflix, paramount]
4 tm127384 Monty Python and the Holy Grail MOVIE King Arthur, accompanied by his squire, recrui... 1975 PG 91 [fantasy, comedy] GB 0.0 tt0071853 8.2 547292.0 20.964 7.804 Graham Chapman, John Cleese, Eric Idle, Terry ... 0.000000 0.0 [netflix]
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 tm1305288 Marcella Arguello: Bitch, Grow Up! MOVIE Arguello couples her larger-than-life stage pr... 2023 R 37 [comedy] US 0.0 tt26623699 6.9 27.0 7.509 2.000 Marcella Arguello, Aida Rodríguez 0.000000 0.0 [HBO]
21482 tm1303655 Super-Vilains: l'Enquête MOVIE Comic book writers discuss how they make the v... 2023 PG-13 62 [documentation] FR 0.0 tt26498712 5.5 45.0 3.402 6.000 Xavier Fournier, Frédéric Ralière 0.000000 0.0 [HBO]
21483 tm1296261 Just a Boy From Tupelo: Bringing Elvis to the ... MOVIE Director Baz Luhrmann, actors Austin Butler an... 2023 PG-13 27 [documentation] 0.0 NaN NaN NaN 2.605 4.500 Elvis Presley, Austin Butler, Baz Luhrmann, To... 0.250000 0.0 [HBO]
21484 tm1065897 Dionne Warwick: Don't Make Me Over MOVIE The story of the iconic singer's fascinating s... 2023 PG 95 [documentation, music] US, GB 0.0 tt6170406 7.8 255.0 9.371 NaN Dionne Warwick, Quincy Jones, Burt Bacharach, ... 0.500000 0.0 [HBO]
21485 tm1304306 The Family Meeting MOVIE During a family meeting, a grandmother and gra... 2023 NaN 15 [] 0.0 NaN NaN NaN 3.091 2.000 Okieriete Onaodowan, Saidah Arrika Ekulona, Ge... 0.000000 0.0 [HBO]

21486 rows × 19 columns

In [36]:
# total_df['genres'] = total_df['genres'].str.split(',')
# genre_count_df = total_df.explode('genres').groupby('genres')['title'].count().reset_index(name='count')
plt.figure(figsize=(15, 6))
sns.barplot(data=genre_count_df, x='genres', y='count', color='blue')
plt.title('Genre Count')
plt.xlabel('Genres')
plt.ylabel('Count')
plt.xticks(rotation=90)
plt.show()
In [37]:
df = total_df_cp.explode('genres').groupby('genres')['imdb_score'].agg('mean').sort_values(ascending=False).reset_index()
df.head()
Out[37]:
genres imdb_score
0 documentation 7.029281
1 history 7.013751
2 war 6.748899
3 animation 6.665857
4 sport 6.633648
In [38]:
plt.figure(figsize=(15, 6))
sns.barplot(data=df, x='genres', y='imdb_score', color='blue')
plt.title('Average IMDB Score by Generes')
plt.xlabel('genere')
plt.ylabel('Score')
plt.xticks(rotation=90)
plt.show()

movies vs. shows¶

In [39]:
#Grouping the data based on 'type' column and counting the number of movies and shows. Storing the result in count_df. Creating a bar chart using plotly library based on count_df data.
count_df = total_df_cp.groupby('type')['imdb_id'].count().reset_index(name='count')

fig_bar = px.bar(count_df, x='type', y='count', title='Count of Movies vs. Shows')
fig_bar.show()

As we can see, there are way more movies than TV shows, we thought that it may be a good idea to seperate the dataset into 2 disserent dataset - movies and TV shows but we gave up this idea because it had much worse results

In [40]:
#Creating a histogram based on analysed_data with release year on x-axis and count on y-axis. Adding color based on 'type' column. Setting labels for better readability. 
fig_histogram = px.histogram(total_df_cp, x="release_year", nbins=10, color="type",
                   labels={"release_year": "Release Year", "count": "Count", "type": "Type"},
                   title="Distribution of Movies and Shows by Release Year")

fig_histogram.show()

Handling production_countries col¶

In [41]:
total_df_cp['production_countries'] = total_df_cp['production_countries'].str.split(', ')
In [42]:
country_count_df = total_df_cp.explode('production_countries').groupby('production_countries')['title'].count().sort_values(ascending=False).reset_index(name='count')
country_count_df = pd.DataFrame(country_count_df)
In [43]:
country_count_df.drop(4, axis=0, inplace=True)
In [44]:
to_plot = country_count_df.iloc[:20]
In [45]:
plt.figure(figsize=(15, 6))
sns.barplot(data=to_plot, x='production_countries', y='count', color='blue')
plt.title('production countries Count')
plt.xlabel('production_country')
plt.ylabel('Count')
plt.xticks(rotation=90)
plt.show()

drop irelevant features¶

In [46]:
# drop id fields because they are not neccassary
total_df_cp.drop(['id', 'imdb_id'], axis=1, inplace=True)

Age certification¶

In [47]:
age_count_df = total_df_cp.groupby('age_certification')['title'].count().sort_values(ascending=False).reset_index(name='count')
age_count_df = pd.DataFrame(age_count_df)
In [48]:
plt.figure(figsize=(15, 6))
sns.barplot(data=age_count_df, x='age_certification', y='count', color='blue')
plt.title('age certification Count')
plt.xlabel('age_certification')
plt.ylabel('Count')
plt.xticks(rotation=90)
plt.show()
In [49]:
age_score = total_df_cp.groupby('age_certification')['imdb_score'].agg('mean').sort_values(ascending=False).reset_index()
age_score.head()
Out[49]:
age_certification imdb_score
0 TV-Y7-FV 7.230000
1 TV-MA 7.181743
2 TV-PG 7.154845
3 TV-14 7.096348
4 TV-Y7 6.744366
In [50]:
plt.figure(figsize=(15, 6))
sns.barplot(data=age_score, x='age_certification', y='imdb_score', color='blue')
plt.title('Average IMDB Score by age certification')
plt.xlabel('genere')
plt.ylabel('Score')
plt.xticks(rotation=90)
plt.show()
In [51]:
total_df_cp['age_certification'].unique()
Out[51]:
array(['PG', 'R', 'TV-14', nan, 'TV-MA', 'TV-PG', 'PG-13', 'TV-Y',
       'TV-Y7', 'TV-G', 'G', 'NC-17', 'TV-Y7-FV'], dtype=object)
In [52]:
# Map age certification into numeric field in order to use imputation to fill it
age_certification_map = {'PG': 0, 'R': 1, 'TV-14': 2, 'TV-MA': 3, 'TV-PG': 4, 'PG-13': 5, 'TV-Y': 6,
       'TV-Y7': 7, 'TV-G': 8, 'G': 9, 'NC-17': 10, 'TV-Y7-FV': 11}
total_df_cp['age_certification'] = total_df_cp['age_certification'].map(age_certification_map)

Label investigation¶

In [53]:
# Label
total_df_cp['imdb_score'].hist()
Out[53]:
<AxesSubplot:>
In [54]:
sns.distplot(total_df_cp['imdb_score'])
C:\Users\li493\anaconda3\lib\site-packages\seaborn\distributions.py:2619: FutureWarning:

`distplot` is a deprecated function and will be removed in a future version. Please adapt your code to use either `displot` (a figure-level function with similar flexibility) or `histplot` (an axes-level function for histograms).

Out[54]:
<AxesSubplot:xlabel='imdb_score', ylabel='Density'>

The distribution seems ok, no need to normalize or anything

In [55]:
numerical_features = total_df_cp.select_dtypes(exclude=['object'])
categorical_features = total_df_cp.select_dtypes(include=['object'])
In [56]:
numerical_features.shape
Out[56]:
(21486, 10)
In [57]:
numerical_features.isnull().sum().sort_values(ascending = False)
Out[57]:
age_certification    10786
imdb_votes            2071
imdb_score            2020
tmdb_score            1767
tmdb_popularity         11
release_year             0
runtime                  0
seasons                  0
score_actors             0
score_directors          0
dtype: int64
In [58]:
# create correlation heatmap
plt.figure(figsize=(16, 10))
sns.heatmap(numerical_features.corr(), annot=True, cmap='Blues')
plt.show()
In [59]:
movies_df = total_df_cp[total_df_cp['type'] == "MOVIE"]
shows_df = total_df_cp[total_df_cp['type'] == "SHOW"]
In [60]:
#Chck missing values
data_null = total_df_cp.isnull().sum()
data_null = data_null.drop(data_null[data_null == 0].index).sort_values(ascending=False)
data_missing = pd.DataFrame({'Missing Numbers' :data_null})
data_null =  data_null / len(total_df_cp)*100

# Barplot missing values
f, ax = plt.subplots(figsize=(15, 12))
#plt.xticks(rotation='90')
sns.barplot(x=data_null.index, y=data_null)
plt.xlabel('Features', fontsize=15)
plt.ylabel('Percent of missing values', fontsize=15)
plt.title('Percent missing data by feature', fontsize=15)

print("Variables with Missing Qty : " , data_missing.count().values)
print("Total Missing values Qty : " , data_missing.sum().values)
Variables with Missing Qty :  [6]
Total Missing values Qty :  [16711]

One hot encoding¶

Genres col¶

In [61]:
encoded = pd.get_dummies(total_df_cp.genres.apply(pd.Series).stack(),  prefix = 'Genre', drop_first=True).sum(level=0)
encoded
C:\Users\li493\AppData\Local\Temp\ipykernel_13524\3224430694.py:1: FutureWarning:

Using the level keyword in DataFrame and Series aggregations is deprecated and will be removed in a future version. Use groupby instead. df.sum(level=1) should use df.groupby(level=1).sum().

Out[61]:
Genre_action Genre_animation Genre_comedy Genre_crime Genre_documentation Genre_drama Genre_european Genre_family Genre_fantasy Genre_history Genre_horror Genre_music Genre_reality Genre_romance Genre_scifi Genre_sport Genre_thriller Genre_war Genre_western
0 0 0 0 0 0 1 0 0 0 0 0 0 0 0 0 1 0 0 0
1 0 0 1 0 0 0 0 0 0 0 0 0 0 1 0 0 0 0 0
2 0 0 1 1 0 1 0 0 0 0 0 1 0 0 0 0 0 0 0
3 0 0 0 0 0 1 0 0 0 0 0 0 0 0 0 1 0 0 0
4 0 0 1 0 0 0 0 0 1 0 0 0 0 0 0 0 0 0 0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 0 0 1 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0
21482 0 0 0 0 1 0 0 0 0 0 0 0 0 0 0 0 0 0 0
21483 0 0 0 0 1 0 0 0 0 0 0 0 0 0 0 0 0 0 0
21484 0 0 0 0 1 0 0 0 0 0 0 1 0 0 0 0 0 0 0
21485 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0

21486 rows × 19 columns

In [62]:
total_df_cp = pd.concat([total_df_cp, encoded], axis=1)
total_df_cp.drop('genres', axis=1, inplace=True)
total_df_cp
Out[62]:
title type description release_year age_certification runtime production_countries seasons imdb_score imdb_votes ... Genre_history Genre_horror Genre_music Genre_reality Genre_romance Genre_scifi Genre_sport Genre_thriller Genre_war Genre_western
0 Rocky MOVIE When world heavyweight boxing champion, Apollo... 1976 0.0 119 [US] 0.0 8.1 588100.0 ... 0 0 0 0 0 0 1 0 0 0
1 Grease MOVIE Australian good girl Sandy and greaser Danny f... 1978 0.0 110 [US] 0.0 7.2 283316.0 ... 0 0 0 0 1 0 0 0 0 0
2 The Sting MOVIE A novice con man teams up with an acknowledged... 1973 0.0 129 [US] 0.0 8.3 266738.0 ... 0 0 1 0 0 0 0 0 0 0
3 Rocky II MOVIE After Rocky goes the distance with champ Apoll... 1979 0.0 119 [US] 0.0 7.3 216307.0 ... 0 0 0 0 0 0 1 0 0 0
4 Monty Python and the Holy Grail MOVIE King Arthur, accompanied by his squire, recrui... 1975 0.0 91 [GB] 0.0 8.2 547292.0 ... 0 0 0 0 0 0 0 0 0 0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 Marcella Arguello: Bitch, Grow Up! MOVIE Arguello couples her larger-than-life stage pr... 2023 1.0 37 [US] 0.0 6.9 27.0 ... 0 0 0 0 0 0 0 0 0 0
21482 Super-Vilains: l'Enquête MOVIE Comic book writers discuss how they make the v... 2023 5.0 62 [FR] 0.0 5.5 45.0 ... 0 0 0 0 0 0 0 0 0 0
21483 Just a Boy From Tupelo: Bringing Elvis to the ... MOVIE Director Baz Luhrmann, actors Austin Butler an... 2023 5.0 27 [] 0.0 NaN NaN ... 0 0 0 0 0 0 0 0 0 0
21484 Dionne Warwick: Don't Make Me Over MOVIE The story of the iconic singer's fascinating s... 2023 0.0 95 [US, GB] 0.0 7.8 255.0 ... 0 0 1 0 0 0 0 0 0 0
21485 The Family Meeting MOVIE During a family meeting, a grandmother and gra... 2023 NaN 15 [] 0.0 NaN NaN ... 0 0 0 0 0 0 0 0 0 0

21486 rows × 35 columns

Type col¶

In [63]:
encoded = pd.get_dummies(total_df_cp.type.apply(pd.Series).stack(),  prefix = 'Type', drop_first=True).sum(level=0)
encoded
C:\Users\li493\AppData\Local\Temp\ipykernel_13524\4156170511.py:1: FutureWarning:

Using the level keyword in DataFrame and Series aggregations is deprecated and will be removed in a future version. Use groupby instead. df.sum(level=1) should use df.groupby(level=1).sum().

Out[63]:
Type_SHOW
0 0
1 0
2 0
3 0
4 0
... ...
21481 0
21482 0
21483 0
21484 0
21485 0

21486 rows × 1 columns

In [64]:
total_df_cp = pd.concat([total_df_cp, encoded], axis=1)
total_df_cp.drop('type', axis=1, inplace=True)
total_df_cp
Out[64]:
title description release_year age_certification runtime production_countries seasons imdb_score imdb_votes tmdb_popularity ... Genre_horror Genre_music Genre_reality Genre_romance Genre_scifi Genre_sport Genre_thriller Genre_war Genre_western Type_SHOW
0 Rocky When world heavyweight boxing champion, Apollo... 1976 0.0 119 [US] 0.0 8.1 588100.0 106.361 ... 0 0 0 0 0 1 0 0 0 0
1 Grease Australian good girl Sandy and greaser Danny f... 1978 0.0 110 [US] 0.0 7.2 283316.0 33.160 ... 0 0 0 1 0 0 0 0 0 0
2 The Sting A novice con man teams up with an acknowledged... 1973 0.0 129 [US] 0.0 8.3 266738.0 24.616 ... 0 1 0 0 0 0 0 0 0 0
3 Rocky II After Rocky goes the distance with champ Apoll... 1979 0.0 119 [US] 0.0 7.3 216307.0 75.699 ... 0 0 0 0 0 1 0 0 0 0
4 Monty Python and the Holy Grail King Arthur, accompanied by his squire, recrui... 1975 0.0 91 [GB] 0.0 8.2 547292.0 20.964 ... 0 0 0 0 0 0 0 0 0 0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 Marcella Arguello: Bitch, Grow Up! Arguello couples her larger-than-life stage pr... 2023 1.0 37 [US] 0.0 6.9 27.0 7.509 ... 0 0 0 0 0 0 0 0 0 0
21482 Super-Vilains: l'Enquête Comic book writers discuss how they make the v... 2023 5.0 62 [FR] 0.0 5.5 45.0 3.402 ... 0 0 0 0 0 0 0 0 0 0
21483 Just a Boy From Tupelo: Bringing Elvis to the ... Director Baz Luhrmann, actors Austin Butler an... 2023 5.0 27 [] 0.0 NaN NaN 2.605 ... 0 0 0 0 0 0 0 0 0 0
21484 Dionne Warwick: Don't Make Me Over The story of the iconic singer's fascinating s... 2023 0.0 95 [US, GB] 0.0 7.8 255.0 9.371 ... 0 1 0 0 0 0 0 0 0 0
21485 The Family Meeting During a family meeting, a grandmother and gra... 2023 NaN 15 [] 0.0 NaN NaN 3.091 ... 0 0 0 0 0 0 0 0 0 0

21486 rows × 35 columns

Production_contries col¶

In [65]:
encoded = pd.get_dummies(total_df_cp.production_countries.apply(pd.Series).stack(),  prefix = 'Country', drop_first=True).sum(level=0)
encoded
C:\Users\li493\AppData\Local\Temp\ipykernel_13524\859158459.py:1: FutureWarning:

Using the level keyword in DataFrame and Series aggregations is deprecated and will be removed in a future version. Use groupby instead. df.sum(level=1) should use df.groupby(level=1).sum().

Out[65]:
Country_AE Country_AF Country_AL Country_AN Country_AO Country_AQ Country_AR Country_AT Country_AU Country_AZ ... Country_UZ Country_VA Country_VE Country_VN Country_VU Country_XC Country_XK Country_YU Country_ZA Country_ZW
0 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
1 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
2 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
3 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
4 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
21482 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
21483 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
21484 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
21485 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0

21486 rows × 151 columns

In [66]:
total_df_cp = pd.concat([total_df_cp, encoded], axis=1)
total_df_cp.drop('production_countries', axis=1, inplace=True)
total_df_cp
Out[66]:
title description release_year age_certification runtime seasons imdb_score imdb_votes tmdb_popularity tmdb_score ... Country_UZ Country_VA Country_VE Country_VN Country_VU Country_XC Country_XK Country_YU Country_ZA Country_ZW
0 Rocky When world heavyweight boxing champion, Apollo... 1976 0.0 119 0.0 8.1 588100.0 106.361 7.782 ... 0 0 0 0 0 0 0 0 0 0
1 Grease Australian good girl Sandy and greaser Danny f... 1978 0.0 110 0.0 7.2 283316.0 33.160 7.406 ... 0 0 0 0 0 0 0 0 0 0
2 The Sting A novice con man teams up with an acknowledged... 1973 0.0 129 0.0 8.3 266738.0 24.616 8.020 ... 0 0 0 0 0 0 0 0 0 0
3 Rocky II After Rocky goes the distance with champ Apoll... 1979 0.0 119 0.0 7.3 216307.0 75.699 7.246 ... 0 0 0 0 0 0 0 0 0 0
4 Monty Python and the Holy Grail King Arthur, accompanied by his squire, recrui... 1975 0.0 91 0.0 8.2 547292.0 20.964 7.804 ... 0 0 0 0 0 0 0 0 0 0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 Marcella Arguello: Bitch, Grow Up! Arguello couples her larger-than-life stage pr... 2023 1.0 37 0.0 6.9 27.0 7.509 2.000 ... 0 0 0 0 0 0 0 0 0 0
21482 Super-Vilains: l'Enquête Comic book writers discuss how they make the v... 2023 5.0 62 0.0 5.5 45.0 3.402 6.000 ... 0 0 0 0 0 0 0 0 0 0
21483 Just a Boy From Tupelo: Bringing Elvis to the ... Director Baz Luhrmann, actors Austin Butler an... 2023 5.0 27 0.0 NaN NaN 2.605 4.500 ... 0 0 0 0 0 0 0 0 0 0
21484 Dionne Warwick: Don't Make Me Over The story of the iconic singer's fascinating s... 2023 0.0 95 0.0 7.8 255.0 9.371 NaN ... 0 0 0 0 0 0 0 0 0 0
21485 The Family Meeting During a family meeting, a grandmother and gra... 2023 NaN 15 0.0 NaN NaN 3.091 2.000 ... 0 0 0 0 0 0 0 0 0 0

21486 rows × 185 columns

streaming options col¶

In [67]:
encoded = pd.get_dummies(total_df_cp.streaming_platform.apply(pd.Series).stack(),  prefix = 'streaming_platform').sum(level=0)
encoded
C:\Users\li493\AppData\Local\Temp\ipykernel_13524\2691480625.py:1: FutureWarning:

Using the level keyword in DataFrame and Series aggregations is deprecated and will be removed in a future version. Use groupby instead. df.sum(level=1) should use df.groupby(level=1).sum().

Out[67]:
streaming_platform_HBO streaming_platform_amazon streaming_platform_apple streaming_platform_disney streaming_platform_netflix streaming_platform_paramount
0 0 1 0 0 1 1
1 0 0 0 0 1 1
2 0 0 0 0 1 0
3 0 1 0 0 1 1
4 0 0 0 0 1 0
... ... ... ... ... ... ...
21481 1 0 0 0 0 0
21482 1 0 0 0 0 0
21483 1 0 0 0 0 0
21484 1 0 0 0 0 0
21485 1 0 0 0 0 0

21486 rows × 6 columns

In [68]:
total_df_cp = pd.concat([total_df_cp, encoded], axis=1)
total_df_cp.drop('streaming_platform', axis=1, inplace=True)
total_df_cp
Out[68]:
title description release_year age_certification runtime seasons imdb_score imdb_votes tmdb_popularity tmdb_score ... Country_XK Country_YU Country_ZA Country_ZW streaming_platform_HBO streaming_platform_amazon streaming_platform_apple streaming_platform_disney streaming_platform_netflix streaming_platform_paramount
0 Rocky When world heavyweight boxing champion, Apollo... 1976 0.0 119 0.0 8.1 588100.0 106.361 7.782 ... 0 0 0 0 0 1 0 0 1 1
1 Grease Australian good girl Sandy and greaser Danny f... 1978 0.0 110 0.0 7.2 283316.0 33.160 7.406 ... 0 0 0 0 0 0 0 0 1 1
2 The Sting A novice con man teams up with an acknowledged... 1973 0.0 129 0.0 8.3 266738.0 24.616 8.020 ... 0 0 0 0 0 0 0 0 1 0
3 Rocky II After Rocky goes the distance with champ Apoll... 1979 0.0 119 0.0 7.3 216307.0 75.699 7.246 ... 0 0 0 0 0 1 0 0 1 1
4 Monty Python and the Holy Grail King Arthur, accompanied by his squire, recrui... 1975 0.0 91 0.0 8.2 547292.0 20.964 7.804 ... 0 0 0 0 0 0 0 0 1 0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 Marcella Arguello: Bitch, Grow Up! Arguello couples her larger-than-life stage pr... 2023 1.0 37 0.0 6.9 27.0 7.509 2.000 ... 0 0 0 0 1 0 0 0 0 0
21482 Super-Vilains: l'Enquête Comic book writers discuss how they make the v... 2023 5.0 62 0.0 5.5 45.0 3.402 6.000 ... 0 0 0 0 1 0 0 0 0 0
21483 Just a Boy From Tupelo: Bringing Elvis to the ... Director Baz Luhrmann, actors Austin Butler an... 2023 5.0 27 0.0 NaN NaN 2.605 4.500 ... 0 0 0 0 1 0 0 0 0 0
21484 Dionne Warwick: Don't Make Me Over The story of the iconic singer's fascinating s... 2023 0.0 95 0.0 7.8 255.0 9.371 NaN ... 0 0 0 0 1 0 0 0 0 0
21485 The Family Meeting During a family meeting, a grandmother and gra... 2023 NaN 15 0.0 NaN NaN 3.091 2.000 ... 0 0 0 0 1 0 0 0 0 0

21486 rows × 190 columns

Add sentiment col based on description¶

We took list of positive and negative words: https://ptrckprry.com/course/ssd/data/positive-words.txt

https://ptrckprry.com/course/ssd/data/positive-words.txt

In [69]:
# Insert all positive words into list
positive_words_file = open("positive-words.txt", "r")
positive_words = positive_words_file.read()
positive_words = positive_words.split('\n')
positive_words_file.close()
In [70]:
# Insert all negative words into list
negative_words_file = open("negative-words.txt", "r")
negative_words = negative_words_file.read()
negative_words = negative_words.split('\n')
negative_words_file.close()
In [71]:
# replace null to be an empty string
total_df_cp['description'] = total_df_cp['description'].replace(np.nan, '')
In [72]:
total_df_cp.isna().sum()
Out[72]:
title                               0
description                         0
release_year                        0
age_certification               10786
runtime                             0
                                ...  
streaming_platform_amazon           0
streaming_platform_apple            0
streaming_platform_disney           0
streaming_platform_netflix          0
streaming_platform_paramount        0
Length: 190, dtype: int64
In [73]:
description_df = total_df_cp['description']
description_df = pd.DataFrame(description_df)
description_df
Out[73]:
description
0 When world heavyweight boxing champion, Apollo...
1 Australian good girl Sandy and greaser Danny f...
2 A novice con man teams up with an acknowledged...
3 After Rocky goes the distance with champ Apoll...
4 King Arthur, accompanied by his squire, recrui...
... ...
21481 Arguello couples her larger-than-life stage pr...
21482 Comic book writers discuss how they make the v...
21483 Director Baz Luhrmann, actors Austin Butler an...
21484 The story of the iconic singer's fascinating s...
21485 During a family meeting, a grandmother and gra...

21486 rows × 1 columns

In [74]:
from nltk.stem import WordNetLemmatizer
from nltk import word_tokenize
def calc_sentiment(desc):
    print(desc)
    lemmatization = WordNetLemmatizer() 
    row_tokenized = word_tokenize(desc)
    count = 0
    for word in row_tokenized:
        word = word.lower()
        word = lemmatization.lemmatize(word)
        # If the word in positive words list - +1
        # If the word in negative words list - -1
        count += 1 if word in positive_words else -1 if word in negative_words else 0
    print(count)
    return 1 if count >= 0 else 0
In [75]:
total_df_cp['description'] = total_df_cp['description'].astype('str')
In [76]:
total_df_cp['sentiment'] = total_df_cp.apply(lambda row: calc_sentiment(row.description), axis=1)
When world heavyweight boxing champion, Apollo Creed wants to give an unknown fighter a shot at the title as a publicity stunt, his handlers choose palooka Rocky Balboa, an uneducated collector for a Philadelphia loan shark. Rocky teams up with trainer  Mickey Goldmill to make the most of this once in a lifetime break.
-5
Australian good girl Sandy and greaser Danny fell in love over the summer. But when they unexpectedly discover they're now in the same high school, will they be able to rekindle their romance despite their eccentric friends?
-1
A novice con man teams up with an acknowledged master to avenge the murder of a mutual friend by pulling off the ultimate big con and swindling a fortune from a big-time mobster.
-1
After Rocky goes the distance with champ Apollo Creed, both try to put the fight behind them and move on. Rocky settles down with Adrian but can't put his life together outside the ring, while Creed seeks a rematch to restore his reputation. Soon enough, the "Master of Disaster" and the "Italian Stallion" are set on a collision course for a climactic battle that is brutal and unforgettable.
1
King Arthur, accompanied by his squire, recruits his Knights of the Round Table, including Sir Bedevere the Wise, Sir Lancelot the Brave, Sir Robin the Not-Quite-So-Brave-As-Sir-Lancelot and Sir Galahad the Pure. On the way, Arthur battles the Black Knight who, despite having had all his limbs chopped off, insists he can still fight. They reach Camelot, but Arthur decides not  to enter, as "it is a silly place".
2
At a 1962 College, Dean Vernon Wormer is determined to expel the entire Delta Tau Chi Fraternity, but those troublemakers have other plans for him.
-2
A British sketch comedy series with the shows being composed of surreality, risqué or innuendo-laden humour, sight gags and observational sketches without punchlines.
1
Brian Cohen is an average young Jewish man, but through a series of ridiculous events, he gains a reputation as the Messiah. When he's not dodging his followers or being scolded by his shrill mother, the hapless Brian has to contend with the pompous Pontius Pilate and acronym-obsessed members of a separatist movement. Rife with Monty Python's signature absurdity, the tale finds Brian's life paralleling Biblical lore, albeit with many more laughs.
-6
Two talented song-and-dance men team up after the war to become one of the hottest acts in show business. In time they befriend and become romantically involved with the beautiful Haynes sisters who comprise a sister act.
4
A Vietnam veteran suffering from post traumatic stress disorder breaks out of a VA hospital and goes on a road trip with a sympathetic traveler to find out what became of the other men in his unit.
-5
A brief fling between a male disc jockey and an obsessed female fan takes a frightening, and perhaps even deadly turn when another woman enters the picture.
-2
Qinawi, a physically challenged peddler who makes his living selling newspapers in the central Cairo train station, is obsessed by Hanuma, an attractive young woman who sells drinks. While she jokes with him about a possible relationship, she is actually in love with Abu Siri, a strong and respected porter at the station who is struggling to unionize his fellow workers to combat their boss' exploitative and abusive treatment.
0
Richard Pryor delivers monologues on race, sex, family and his favorite target—himself, live at the Terrace Theatre in Long Beach, California.
1
Maharaj Brajbhan lives a wealthy lifestyle in Bharatpur, India along with his wife, Badi Rani, but have been unable to conceive for Bharatpur, and have no choice but to leave it's reigns with Brajban's widowed cousin, Vikram, and his son, Kanchan. When Vikram finds out that Badi Rani is pregnant, he plots to first sully her character by having her abducted, then shunned by the Maharaj, and then decides to have her killed. But her killer has a change of heart and lets her live. She gives birth to a son, names him Bhola, and starts living a simple lifestyle in a Mandir with the help of it's Poojary. Years later Vikram finds out she is alive and kills her, as well the Poojary and the Poojary's son. Bhola witnesses this, manages to escape, starts to live with a poor widow, grows up uneducated, and makes a living through crime.
-7
To better himself, a spoiled prince temporarily assumes a commoner's identity. But he soon learns his palace has been gifted to his father's new wife.
1
A documentary about a political troupe headed by actors Jane Fonda and Donald Sutherland which traveled to towns near military bases in the US in the early 1970s. The group put on shows called "F.T.A.", which stood for "F**k the Army", and was aimed at convincing soldiers to voice their opposition to the Vietnam War, which was raging at the time. Various singers, actors and other entertainers performed antiwar songs and skits during the show.
-1
Monty Python's Fliegender Zirkus consisted of two 45-minute Monty Python German television comedy specials produced by WDR for West German television. The two episodes were first broadcast in January and December 1972 and were shot entirely on film and mostly on location in Bavaria, with the first episode recorded in German and the second recorded in English and then dubbed into German.
0
A keen chronicle of the unlikely rise to power of Adolf Hitler (1889-1945) and a dissection of the Third Reich (1933-1945), but also an analysis of mass psychology and how the desperate crowd can be deceived and shepherded to the slaughterhouse.
-1
After a failed conquest, Emperor Ajaatshatru pretends to be a soldier in the enemy's army to weaken them from the inside. However, he falls in love with Amrapali by faking his identity.
-4
The movie is based on the story of Ali Baba and the Forty Thieves, from the One Thousand and One Nights or Arabian Tales. The role of Ali Baba is played by Dharmendra and Hema Malini play Morjina.
0
Havaldar Ratan is a rookie at the local police station, and is assigned duty on foot patrol on Manoranjan Street, a notorious red-light area, on the very first day of his job. He strikes up a conversation with a good-looking young woman named Nisha, and tells her that there is a possible violation of Suppression of Immoral Trafficking Act taking place on this street. He witnesses several women soliciting men, and decides to call in the paddy wagon, and get them arrested. Alas, one of the men frequenting the prostitutes is none other than Ratan's superior officer, who immediately summons Ratan, and has him removed from service on corruption charges. Nisha takes pity on a homeless and unemployed Ratan, and asks him to live with her. He does not want her to sell her body, and so he decides to work at night, and during the day he takes on the guise of a rich Nawab and spends time with her.
-5
Sita devi is a very strict aunt for a number of young ladies, and does not allow them to fraternize with males. Along comes Pritam disguised as an elderly Professor Khanna to break every possible rule of the aunt
-2
As a crazed killer blazes a trail of blood through an anxious city, a hardened cop aims to take him down by any means in this remake of Dirty Harry.
-4
The first Sultan of Egypt and Syria leads the Muslim military campaign against the invading Christians from Europe during the Third Crusade.
1
One year before the Olympics, Jill Kinmont, an 18-year-old skiing champion, suffers a fall during competition and is left paralyzed. With her life now completely altered, she undergoes an exhausting fight to regain some of what she has lost.
-3
Ragab, a poor sailor, returns home to Alexandria after three years of absence, during which he tried to save money to marry his one true love, Hamedah. But there's trouble on the harbor, and with an old friend.
-2
A rich landlord floods and destroys a village on purpose to prevent the people living there from making a profit off their crops. What he doesn't know is that his own daughter is in love with Ahmed, a young man from the village.
2
In this Andre Gide adaptation, an activist is released after many years in prison and returns home, shaking up established relationships among his family members at the farm governed by his strict father. Demonstrating Chahine’s eclecticism, this is an elegant melodrama, exuberant musical, layered allegory, and profound portrait of personal and political disillusionment.
0
Amid the poverty, death, and suffering caused by World War II, 18-year-old Yehia, retreats into a private world of fantasy and longing. Obsessed with Hollywood, he dreams of one-day studying filmmaking in America, but after falling in love and discovering the lies of European occupation, Yehia profoundly reevaluates his identity and allegiances.
-5
Separated by tragedy, two virtually inseparable childhood friends meet again, only to fall in love this time.
-1
Set in 1933, the mayor informs the peasants that the share of irrigation of their land will be split equally between them and feudal lord Mahmoud Bey. The peasants send Muhammad Effendi to submit a petition to the government. Then Mahmoud Bey proposes a project that would require taking part of the peasants' lands.
-1
Naresh Kumar Saxena lives with his widowed mom and sister, Seema. He works as a freelance photographer and journalist. One day he meets with Mala Mehta and her dad, who is the Editor of a Newspaper. Mr. Mehta hires Naresh and assigns him to go to a remote island to investigate and expose some illegal activities there. Naresh goes there in the company of his friend, Shyam. Unfortunately, Naresh is caught by the island guards and lodged in a cell along with two others, one a scientist and Ram Singh, a hoodlum. The scientist confides in Naresh that he has invented an atomic ring that when inserted in someone's mouth will turn that person invisible, and subsequently passes away. Naresh puts the ring in his mouth, takes off his clothes, turns invisible and escapes.
-3
At every station, between sites filled with poetry and nostalgia for a bygone era, the poet's dashed dreams and idealized vision of her country coincide with the director's own.
0
Raja Kumar Bahadur alias Gyan Shankar Rai has been a total abstainer all his life, never touching a drop of alcohol, and keeping away from women and all known vices all his life. Then one day he sees a young woman named Saudamani, and instantly falls in love with her. He finds out about her background, and virtually buys her, and brings her to his palatial home. This is when he takes to drinking, and wooing her, and renaming her Madhuri, but refrains from marrying her. Years later, he sees another beautiful woman, about half his age, named Sumita, meets with her parents, pays off their debts, and marries her in the bargain.
2
A stand-up comedian and his three offbeat friends weather the pitfalls and payoffs of life in New York City in the '90s. It's a show about nothing.
0
For Lieutenant Pete 'Maverick' Mitchell and his friend and co-pilot Nick 'Goose' Bradshaw, being accepted into an elite training school for fighter pilots is a dream come true. But a tragedy, as well as personal demons, will threaten Pete's dreams of becoming an ace pilot.
-1
The Double Deuce is the meanest, loudest and rowdiest bar south of the Mason-Dixon Line, and Dalton has been hired to clean it up. He might not look like much, but the Ph.D.-educated bouncer proves he's more than capable -- busting the heads of troublemakers and turning the roadhouse into a jumping hot-spot. But Dalton's romance with the gorgeous Dr. Clay puts him on the bad side of cutthroat local big shot Brad Wesley.
1
Rocky Balboa proudly holds the world heavyweight boxing championship, but a new challenger has stepped forward: Drago, a six-foot-four, 261-pound fighter who has the backing of the Soviet Union.
-1
When teen Sarah is forced to babysit Toby, her baby stepbrother, she summons Jareth the Goblin King to take him away. When he is actually kidnapped, Sarah is given just thirteen hours to solve a labyrinth and rescue him.
0
Now the world champion, Rocky Balboa is living in luxury and only fighting opponents who pose no threat to him in the ring, until Clubber Lang challenges him to a bout. After taking a pounding from Lang, the humbled champ turns to former bitter rival Apollo Creed for a rematch with Lang.
-2
When investigative reporter Irwin "Fletch" Fletcher goes undercover to write a piece on the drug trade at a local beach, he's approached by wealthy businessman Alan Stanwyk, who offers him $50,000 to murder him. With sarcastic wit and a knack for disguises, Fletch sets out to uncover Stanwyk's story.
-1
When secretive new neighbors move in next door, suburbanite Ray Peterson and his friends let their paranoia get the best of them as they start to suspect the newcomers of evildoings and commence an investigation. But it's hardly how Ray, who much prefers drinking beer, reading his newspaper and watching a ball game on the tube expected to spend his vacation.
-1
A lifetime of taking shots has ended Rocky’s career, and a crooked accountant has left him broke. Inspired by the memory of his trainer, however, Rocky finds glory in training and takes on an up-and-coming boxer.
-3
Julius and Vincent Benedict are the results of an experiment that would allow for the perfect child. Julius was planned and grows to athletic proportions. Vincent is an accident and is somewhat smaller in stature. Vincent is placed in an orphanage while Julius is taken to a south seas island and raised by philosophers. Vincent becomes the ultimate low life and is about to be killed by loan sharks.
-1
Out of Africa tells the story of the life of Danish author Karen Blixen, who at the beginning of the 20th century moved to Africa to build a new life for herself. The film is based on the autobiographical novel by Karen Blixen from 1937.
0
The story of the Buckman family and friends, attempting to bring up their children. They suffer/enjoy all the events that occur: estranged relatives, the 'black sheep' of the family, the eccentrics, the skeletons in the closet, and the rebellious teenagers.
-3
Thomas & Friends is a British children's television series, which had its first broadcast on the ITV network on 4 September 1984. It is based on The Railway Series of books by the Reverend Wilbert Awdry and his son, Christopher Awdry. These books deal with the adventures of a group of anthropomorphised locomotives and road vehicles who live on the fictional Island of Sodor. The books were based on stories Wilbert told to entertain his son, Christopher during his recovery from measles. From Series one to four, many of the stories are based on events from Awdry's personal experience.
1
District Attorney Tom Logan is set for higher office, at least until he becomes involved with defence lawyer Laura Kelly and her unpredictable client Chelsea Deardon. It seems the least of Chelsea's crimes is the theft of a very valuable painting, but as the women persuade Logan to investigate further and to cut some official corners, a much more sinister scenario starts to emerge.
-2
The story of Nola Darling's simultaneous sexual relationships with three different men is told by her and by her partners and other friends. All three men wanted her to commit solely to them; Nola resists being "owned" by a single partner.
1
A family begins to fall apart when their eldest daughter is diagnosed with schizophrenia.
-1
Follow the adventures of fireman Sam and his colleagues as they protect the citizens of the Welsh town of Pontypandy. Whenever the alarm sounds, brave Sam and his co-workers can be counted on to jump into a fire engine, hop onto a helicopter, or even launch an inflatable lifeboat to battle blazes, mount rescue missions, or provide medical attention to those in need.
1
When a defense lawyer's adulterous husband becomes the prime suspect in the murder of the woman he was cheating with, his wife chooses to defend him. Can she overcome his betrayal while searching for the truth?
-4
Three middle-aged wealthy couples take vacations together in Spring, Summer, Autumn and Winter. Along the way we are treated to mid-life, marital, parental and other crises.
0
Steve Martin presents selected sketches from "Monty Python's Flying Circus (1969)". It's the well known sketches, though the parrot sketch is not included. Steve Martin has some funny comments on the Pythons.
0
Beirut resident Soraya is drawn to two men: daredevil photographer Nabil and Talal, who must embrace his feudal heritage when his father is kidnapped.
0
Amuro Ray and the rest of the White Base crew, now denominated the 13th Autonomous Corps, return to outer space to support the rest of the Earth Federation forces for the decisive battle against the Duchy of Zeon's forces.
3
Monty Python perform many of their greatest sketches at the Hollywood Bowl, including several from pre-Python days.
1
Danger Mouse, the world's greatest secret agent, and his side-kick Penfold work to foil the evil schemes of Baron Greenback.
0
Two psychologists try to demonstrate that a man is a pedophile and has abused many children.
-1
After managing to survive attacks by Zeon's Char Aznable and Garma Zabi, the crew of Federation warship White Base and its mobile suits must battle Zeon forces through Asia, Europe, and the Atlantic Ocean if they are to reach Earth Federation's headquarters alive. During that process many of its crewmembers must overcome their fears, losses, immaturities, and insecurities in order to survive.
-4
In UC 0093, the Federation has recovered from its defeat and has created a new anti-colonial special forces unit to deal with rebel forces: Londo Bell. Elsewhere in space, Char Aznable re-appears out of self imposed hiding with a declaration that he now commands his own Neo-Zeon movementand intends to force the emigration of Earth's inhabitants to space by bringing about an apocalypse.
0
A young boy's father is lynched before his eyes; fifteen years later he returns home for revenge.
-1
Mama Cora, who is almost eighty years old, has three sons and a daughter. She lives with one of them, who has serious financial problems. The family meets one day to celebrate an anniversary meal, and that is when the problem arises: which of them will take care of her?
-1
Washington plays a school principal in a tough inner city Los Angeles high school out to rid it of drugs, gangs, low moral of teachers, and restore educational values.
1
The story of Ryan White, a 13-year-old haemophiliac who contracted AIDS from factor VIII, which was used to control this disorder.
-1
Anil, a street singer, is humiliated and driven out of Bombay along with his mother. However, he soon becomes a famous performer but the enemies from his past try to destroy his hard-earned career.
-1
Two close friends decide to enter law enforcement, one as a police officer, the other as a lawyer, but their friendship begins to unravel when they both fall in love with the same woman.
-1
The film follows the story of Shankar, who is regarded as a criminal by society after being in jail for ten years since childhood.
-1
Shahjada Ijjat Beg comes to India with his caravan and settles in a town in Gujrat. Here he falls in love with Sohani, who keeps a shop in metal pots. Ijjat Beg buys pot from her with whatever money he had and they were attracted to each other. Sohni dispensed with her servant and kept Ijjat Beg instead. This gave them more opportunity to meet. This was a scandal in the town and Sohni was perforce married to Rehaman who was slightly off his head. Sohni continued her meeting Ijjat Beg who went out fishing. When the atmosphere became to hot for them they jointly took a water grave for their love.
-3
Raja lives a poor lifestyle along with his dad, Hazariprasad and mom. He attends college where he has several run-ins with wealthy fellow-collegian, Madhu Mehra. Matters escalate to such an extent that she accuses him of sexually molesting her. When his dad comes to know, he decides to seize this chance to get rich quickly, masquerades as a wealthy businessman, approaches Mr. Mehra, and arranges for their children to get married. Murphy's law prevails at the time of the engagement - changing everyone's lives forever.
1
In order to assist her close friend, Rajni Thakur, Geeta Choudhary, has an abortion in her name, so that Rajni can get married. When her secret gets leaked out, Geeta's husband, Ashok, blames her, accuses her of being unfaithful, and drives her out of his house. They have twins, Sunil and Anil, and each parent is allowed custody of one child. The children meet each other at Scout camp, and decide to re-unite their parents, without realizing that they are exposing not only them, but also each other, to danger and death.
-5
Shankar's father leaves the family for Meenabai. He later learns that his father is dead. He sets out to find out Meenabai, who he thinks is behind his father's death.
-2
Mohan Kumar's diligence and honesty lands him in trouble with Balwant Singh Kalra, Jugal Kishore Ahuja, and Mr. Bhandari. Together the trio frame and imprison Mohan and make him watch helplessly as his wife is killed. Years later, Mohan Kumar is released from prison, his only goal in life is to avenge his humiliation and wrongful arrest at the hands of the trio. With the help of Dinesh Verma, he establishes himself again, and starts the process of bringing death and destruction to the trio. The trio are well aware of his presence, and decide to send one of their men, Ravi, to spy on him. Ravi falls in love with Verma's daughter, Roma, and decides to change sides to help Verma and Mohan, but Mohan will not have anything to do with Ravi, and asks him to leave. Ravi then becomes a target by the trio and their men, and has to save himself, and the only way he can redeem himself is by turning the tables over Mohan, who is none other than his own father.Duniya
-6
Inspector Amar Kaushal attempts to incarcerate wrong-doers in his society only lead to frustration when they are let off by the incompetence of the law and his superiors and seniors. Eventually Amar stands accused of killing several criminals and innocents which prompts him to take law into his own hands.
-1
Film that tells the story of Los Gatos (California) high school football coach Charlie Wedemeyer. At 31, onetime football pro Wedemeyer is living the American dream; a winning team, a happy marriage and public adulation.
3
Muqaddar ka Faisla, is the story of Pandit Krishna Kant. A poor, but extremely honest, upright, God-fearing man, who refuses to compromise on his principles.
-1
Set in 1987 against the backdrop of a hunger strike by the Egyptian film industry, Chahine himself steps in to play Yehia, the famed Egyptian director whose life is chronicled in "Alexandria, Why?" and "An Egyptian Story". Obsessed with Amr, the handsome actor he discovered and cast as his alter-ego in parts one and two of The Alexandria Trilogy, Yehia pressures Amr to star in various film projects that change even as Yehia's perception of the young actor begins to change. He first casts Amr as Hamlet, which the actor deems too demanding for his talents, then as the lead in a musical biopic of demigod Alexander the Great, who founded the city of Alexandria in 332 B.C.
4
Follows the true story of John and Reve Walsh who, after their child was murdered, fought to raise national awareness of the problem of missing children.
-1
Religious beliefs clash with the law when an Amish infant is killed in a rural community.
-2
Coming from a decent upper middle-class family, Vikram Saxena meets with gorgeous Seema Singh, and both fall in love. But their respective families have other plans for them. While Vikram is able to convince his advocate dad, Shyam Sunder, to change his mind, Seema is unable to do so, and her marriage is being planned with a U.S. resident. Things take a turn for the worst when the police arrest Vikram with arson, with evidence that he had burned down a property belonging to Seema's dad, Colonel Ram Mohan Singh. Due to this, Vikram's dad comes forward to defend him, and Seema will not have anything to do with him anymore. Shyam Sunder realizes that the only way he can save his son from being imprisoned is to have him certified as insane, but will have to live with the consequences for the rest of his life, as well as the the stigma this will place on his family for years to come.
-3
TV movie based upon the true story of Calvin Graham, who, as a 12 year old boy, enlisted in the US Navy during WWII.
0
After we last see him in "Alexandria, Why?" Egyptian filmmaker Yehia Mourad is in his thirties, and successful in his work, he has grown distant from his wife and children and suffers a symbolic blockage of the heart while shooting the final scenes of his latest film. After being flown to England for evaluation, it's determined that Yehia must undergo emergency surgery.  Fact and fiction blend seamlessly—with healthy doses of cleverly absurdist fantasy—as the film explores the various personalities and forces that have made Yehia (and Youssef Chahine) the man he has become.
1
A reality show contest where sixteen or more castaways split between two or more “Tribes” are taken to a remote isolated location and are forced to live off the land with meager supplies for roughly 39 days. Frequent physical challenges are used to pit the tribes against each other for rewards, such as food or luxuries, or for “Immunity”, forcing the other tribe to attend “Tribal Council”, where they must vote off one of their players.
-1
Years ago, the fearsome Pirate King, Gol D. Roger was executed leaving a huge pile of treasure and the famous "One Piece" behind. Whoever claims the "One Piece" will be named the new King of the Pirates.

Monkey D. Luffy, a boy who consumed a "Devil Fruit," decides to follow in the footsteps of his idol, the pirate Shanks, and find the One Piece. It helps, of course, that his body has the properties of rubber and that he's surrounded by a bevy of skilled fighters and thieves to help him along the way.

Luffy will do anything to get the One Piece and become King of the Pirates!
2
Join Ash accompanied by his partner Pikachu, as he travels through many regions, meets new friends and faces new challenges on his quest to become a Pokémon Master.
1
When Sam Baldwin's wife dies, he is left to bring up his eight-year-old son Jonah alone, and decides to move to Seattle to make a new start. On Christmas Eve, Jonah rings a radio phone-in with his Christmas wish to find a new wife for his dad. Meanwhile in Baltimore, journalist Annie Reed, who is having doubts about her own relationship, is listening in.
-1
A man with a low IQ has accomplished great things in his life and been present during significant historic events—in each case, far exceeding what anyone imagined he could do. But despite all he has achieved, his one true love eludes him.
5
A botched robbery indicates a police informant, and the pressure mounts in the aftermath at a warehouse. Crime begets violence as the survivors -- veteran Mr. White, newcomer Mr. Orange, psychopathic parolee Mr. Blonde, bickering weasel Mr. Pink and Nice Guy Eddie -- unravel.
-1
Set in the charming town of Stars Hollow, Connecticut, the series follows the captivating lives of Lorelai and Rory Gilmore, a mother/daughter pair who have a relationship most people only dream of.
1
In 2071, roughly fifty years after an accident with a hyperspace gateway made the Earth almost uninhabitable, humanity has colonized most of the rocky planets and moons of the Solar System. Amid a rising crime rate, the Inter Solar System Police (ISSP) set up a legalized contract system, in which registered bounty hunters, also referred to as "Cowboys", chase criminals and bring them in alive in return for a reward.
-2
For four years, the courageous crew of the NSEA protector - "Commander Peter Quincy Taggart" (Tim Allen), "Lt. Tawny Madison (Sigourney Weaver) and "Dr.Lazarus" (Alan Rickman) - set off on a thrilling and often dangerous mission in space...and then their series was cancelled! Now, twenty years later, aliens under attack have mistaken the Galaxy Quest television transmissions for "historical documents" and beam up the crew of has-been actors to save the universe. With no script, no director and no clue, the actors must turn in the performances of their lives.
-1
At the turn of the century, the Angels returned to Earth, seeking to wipe out humanity in an apocalyptic fury. Devastated, mankind's last remnants moved underground to wait for the day when the Angels would come back to finish the job. Fifteen years later, that day has come... but this time, humanity is ready to fight back with terrifying bio-mechanical weapons known as the Evangelions. Watch as Shinji, Rei, Asuka and the rest of the mysterious shadow agency Nerv battle to save earth from total annihilation.
-2
Jerry Maguire used to be a typical sports agent: willing to do just about anything he could to get the biggest possible contracts for his clients, plus a nice commission for himself. Then, one day, he suddenly has second thoughts about what he's really doing. When he voices these doubts, he ends up losing his job and all of his clients, save Rod Tidwell, an egomaniacal football player.
0
William Thacker is a London bookstore owner whose humdrum existence is thrown into romantic turmoil when famous American actress Anna Scott appears in his shop. A chance encounter over spilled orange juice leads to a kiss that blossoms into a full-blown affair. As the average bloke and glamorous movie star draw closer and closer together, they struggle to reconcile their radically different lifestyles in the name of love.
3
A team of teenagers with attitude are recruited to save Angel Grove from the evil witch, Rita Repulsa, and later, Lord Zedd, Emperor of all he sees, and their horde of monsters.
-2
A lazy law school grad adopts a kid to impress his girlfriend, but everything doesn't go as planned and he becomes the unlikely foster father.
-1
A mysterious woman comes to compete in a quick-draw elimination tournament, in a town taken over by a notorious gunman.
-3
American version of the reality game show which follows a group of HouseGuests living together 24 hours a day in the "Big Brother" house, isolated from the outside world but under constant surveillance with no privacy for three months.
-1
After four high school friends are involved in a hit-and-run road accident, they dispose of the body and vow to keep the incident a secret. A year later, they each start receiving anonymous letters bearing the warning "I Know What You Did Last Summer."
-1
An eccentric schoolteacher takes her class on wondrous educational field trips with the help of a magical school bus.
1
A teenage girl periodically travels back in time to feudal Japan to help a young half-demon recover the shards of a jewel of great power.
2
After college graduation, Grover's girlfriend Jane tells him she's moving to Prague to study writing. Grover declines to accompany her, deciding instead to move in with several friends, all of whom can't quite work up the inertia to escape their university's pull. Nobody wants to make any big decisions that would radically alter his life, yet none of them wants to end up like Chet, the professional student who tends bar and is in his tenth year of university studies.
0
Austrian mountaineer, Heinrich Harrer journeys to the Himalayas without his family to head an expedition in 1939. But when World War II breaks out, the arrogant Harrer falls into Allied forces' hands as a prisoner of war. He escapes with a fellow detainee and makes his way to Llaso, Tibet, where he meets the 14-year-old Dalai Lama, whose friendship ultimately transforms his outlook on life.
-4
A timid young boy who loves all sorts of games, one day solves an ancient puzzle known as the Millennium Puzzle, causing his body to play host to a mysterious spirit with the personality of a gambler.
-1
Jackie is a divorced mother of two. Isabel is the career minded girlfriend of Jackie’s ex-husband Luke, forced into the role of unwelcome stepmother to their children. But when Jackie discovers she is ill, both women realise they must put aside their differences to find a common ground and celebrate life to the fullest, while they have the chance.
0
It has been twenty years since Don Diego de la Vega fought Spanish oppression in Alta California as the legendary romantic hero, Zorro. Having escaped from prison he transforms troubled bandit Alejandro into his successor, in order to foil the plans of the tyrannical Don Rafael Montero who robbed him of his freedom, his wife and his precious daughter.
1
Two men in 1930s Mississippi become friends after being sentenced to life in prison together for a crime they did not commit.
-2
The second of two theatrically released follow-ups to the Neon Genesis Evangelion series. Comprising of two alternate episodes which were first intended to take the place of episodes 25 and 26, this finale answers many of the questions surrounding the series, while also opening up some new possibilities.
0
Follow the adventures of Sonic the Hedgehog, and his sidekick Tails, as they attempt to stop Dr. Robotnik and his array of robots from taking over the planet Mobius.
0
Vada Sultenfuss is obsessed with death. Her mother is dead, and her father runs a funeral parlor. She is also in love with her English teacher, and joins a poetry class over the summer just to impress him. Thomas J., her best friend, is "allergic to everything", and sticks with Vada despite her hangups. When Vada's father hires Shelly, and begins to fall for her, things take a turn to the worse...
-2
Set in Chicago, the show follows the kid-friendly misadventures of two high-school friends who are always scheming and dreaming. Kenan, who works at a grocery store, constantly devises crazy plans to strike it rich, while orange-soda-loving buddy Kel is always dragged along for the ride despite his track record for messing things up.
-1
In this low-budget short film, two best buddies meet up for a night of booze-fueled fun before one of them moves to Vancouver.
2
The series revolves around the friendship of four African-American women in different phases of their lives. They explore the many trials and tribulations that most women face today such as relationships, family, friends and other current issues that will interest most women. Whether it’s getting over a divorce, finding a career, or looking for true love, Girlfriends delivers along with comedy and wit.
0
H is a French sitcom with seventy-one, 22-minute episodes. The series was created by Kader Aoun, Xavier Matthieu and Éric Judor, and produced by Phillippe Berthe, Édouard Molinaro, Jean-Luc Moreau and Charles Némès. It ran from 24 October 1998 to 20 April 2002 on Canal+. In Canada, it is shown weekly on TV5.

The title "H" comes from the three words that characterize the series: Humour, Histoire et Hôpital.
1
Taped for HBO in August 1998, on the final date of Jerry Seinfeld's tour appearances at New York City's Broadhurst Theater, I'm Telling You for the Last Time presents the standup comedian's so-called "final" standup, or at least his final tour with the standup material that made him famous.
1
Five Jewish Hungarians, now U.S. citizens, tell their stories: before March, 1944, when Nazis began to exterminate Hungarian Jews, months in concentration camps, and visiting childhood homes more than 50 years later. An historian, a Sonderkommando, a doctor who experimented on Auschwitz prisoners, and US soldiers who were part of the liberation in April, 1945.
-1
Jack Manfred is an aspiring writer who to make ends meet, takes a job as a croupier. Jack remains an observer, knowing that everything in life is a gamble and that gamblers are born to lose. Inevitably, he gets sucked into the world of the casino which takes its toll on his relationships and the novel he is writing.
-4
Victor is a cook who works in a greasy bar/restaurant owned by his mother, Dolly. It's just the two of them, a waitress named Delores, and a heavy drinking regular, Leo. But things change when Callie, a beautiful college drop-out, shows up as a new waitress and steals Victor's heart. But Victor is too shy to do anything about it, and too self-consciously overweight to dream of winning Callie away.
-1
The new kids of comedy bring the funny as All That, America’s #1 kid’s sketch comedy show, returns with a new cast and a few familiar faces. From Executive Producers Kenan Thompson and Kel Mitchell.
-1
Eddie Murphy stars as shy Dr. Sherman Klump, a kind, brilliant, 'calorifically challenged' genetic professor. When beautiful Carla Purty joins the university faculty, Sherman grows desperate to whittle his 400-pound frame down to size and win her heart. So, with one swig of his experimental fat-reducing serum, Sherman becomes 'Buddy Love', a fast-talking, pumped-up , plumped down Don Juan.
3
The ins and outs of the classroom lives of a group of students who attend the fictional Hartley High School in Sydney.
-1
A highly experimental film presenting a story out of chronological order taking place 15 years after a near-apocalyptic catastrophe, about four traumatized 14 year olds who are tasked with piloting massive humanoid decisive weapons called Evangelion, the psychologically maladjusted adults who handle and command them, and the events and forces that affect them or which they take part in as they engage massive hostile invaders known as "Angels."
-3
A show geared for babies up to older toddlers. This show is full of music, teaching kids songs and easy dances.
1
1984, Sandusky, Ohio. A naive 17-year-old navigates heartbreak and self-expression as he explores his sexuality.
-1
Sakura Kinomoto, an elementary school student who discovers that she possesses magical powers after accidentally freeing a set of magical cards from the book they had been sealed in for years. She is then tasked with retrieving those cards in order to avoid an unknown catastrophe from befalling the world.
0
During the year 2000, Ricardo, Pollo, Walter and Chiqui occupied a house in the Buenos Aires neighborhood of Congreso. The four young people forge a strong friendship that leads them to go through different stories of crime, drugs and social marginalization.
1
On a photo shoot in Ghana, an American model slips back in time, becomes enslaved on a plantation and bears witness to the agony of her ancestral past.
-1
When the Goddess of Happiness tosses the Longevity Monk and his disciples out of heaven (because the Monkey King tried to attain immortality), the Monkey King is reincarnated as the Joker. He now spends his time chasing two jealous women. When one of them is dying, the Joker goes back in time in an attempt to save her.
-2
The Parkers is an American sitcom that aired on UPN from August 30, 1999, to May 10, 2004. A spin-off of UPN's Moesha, The Parkers features the mother-daughter team of Nikki and Kim Parker. The Parkers' signature "Heeyyy" greeting became very popular in the early 2000s.
1
Moesha was an American sitcom series that aired on the UPN network from January 23, 1996 to May 14, 2001. The series stars R&B singer Brandy Norwood as Moesha Mitchell, a high school student living with her family in the Leimert Park neighborhood of South Central Los Angeles. It was originally ordered as a pilot for the CBS network's 1995-1996 television season, who rejected. It was then picked up by UPN, who aired it as a mid-season replacement. It went on to become the biggest success for the nascent network and one of the greatest hits over the course of the network's entire run.
1
Twins Tia Landry and Tamera Campbell were separated and adopted at birth. Fourteen years later, they encounter each other by chance at the mall. After the families meet, Tia's widowed father agrees to let Tamera and her single mother move in with them.
0
Discover how six seemingly ordinary but supremely talented men became Monty Python, sketch comedy's inspired group of lunatics who turned such unlikely sources of inspiration as Spam, dead parrots and the Inquisition into enduring punch lines. This entertaining documentary includes interviews with members of the troupe, as well as home movies, photos and rare recordings from Monty Python's early years.
1
A frustrated housewife whose marriage to an average man does not meet her expectations enters into an affair with a younger man. Of course, there are no easy escapes from reality.
0
Journalist Amar falls for a mysterious woman on an assignment, but she does not reciprocate his feelings. However, when Amar is about to get married, the woman shows up at his doorstep asking for help.
-2
Mexico, 1949. The fable of a janitor turned Mayor on a little town lost in the Mexican desert, who gradually realizes how far his new acquainted power and corruption can get him.
-3
This sequel to "Pandora's Box" continues director Jeffrey Lau's adaptation of the Buddhism saga "Journey to the West". Stranded five centuries in the past, Joker Monkey King must battle a variety of monsters, seductive women and super-powered villains to save the dying Pak Jing-Jing.
-2
Miles Logan is a jewel thief who just hit the big time by stealing a huge diamond. However, after two years in jail, he comes to find out that he hid the diamond in a police building that was being built at the time of the robbery. In an attempt to regain his diamond, he poses as an LAPD detective.
-1
A man belongs to a middle-class family and is intent on pursuing his career with a music group, despite his dad's disapproval. He is also in love with the lead singer, but she sees him mainly as a friend.
1
A Hindu man and a Muslim woman fall in love in a small village and move to Mumbai, where they have two children. However, growing religious tensions and erupting riots threaten to tear the family apart.
-2
Two rival reporters team up to help prove the innocence of a man set to be hanged for the murder of a politician.
-2
Roop and his father come to the city for medical treatment where Reshma falls in love with Roop. However, Roop loves Pooja but when Reshma threatens to kill herself, Roop agrees to marry her.
0
The hilarity begins when professor Sherman Klump finds romance with fellow DNA specialist, Denise Gaines, and discovers a brilliant formula that reverses aging. But Sherman's thin and obnoxious alter ego, Buddy Love, wants out...and a big piece of the action. And when Buddy gets loose, things get seriously nutty.
0
Prem and Nisha meet and fall in love at the wedding of their elder siblings, but their plans to be together are put in jeopardy when Nisha's sister dies, leaving behind a baby.
-1
A biopic based on the life of one of the pioneer argentine rock stars 'Tanguito'. The movie tells the story of his rise and fall from grace, encompassed in violent times of a military regime.
-1
Per her mother's last wish, an 8 year old girl sets out to reunite her father with his college best friend who was in love with him.
2
When his brother becomes involved in a deadly bank robbery, a heartbroken cop vows to track down and retrieve his wayward sibling -- dead or alive.
-3
Barney & Friends is an American children's television series aimed at children from ages 2 to 5. The series, which first aired on April 6, 1992, features the title character Barney, a purple anthropomorphic Tyrannosaurus rex who conveys educational messages through songs and small dance routines with a friendly, optimistic attitude.
2
Adam is the son of a wealthy Egyptian-American family who is studying at UCLA and returns home for a brief vacation. Upon his arrival he meets beautiful reporter Hanane, with whom he begins an intense love affair, and eventually they marry. Trouble arises when Hanane' s journalistic interests lead her to the corrupt business affairs of Adam's parents, who are interested in building an American tourist compound that would allow Americans further control of Egypt's tourist industry, and make them a whole lot richer.
2
When Sunder loses everything, he seeks refuge in a graveyard, where he befriends a ghost.
-2
A young woman falls in love with a handsome playboy, while aboard a Singapore to India cruise. They make plans to meet again, but fate may have other plans...
1
Chronicle of a Disappearance unfolds in a series of seemingly unconnected cinematic tableaux, each of them focused on incidents or characters which seldom reappear later in the film. Among the many unrelated scenes, there is a Palestinian actress struggling to find an apartment in West Jerusalem, the owner of the Holy Land souvenir shop preparing merchandise for incoming Japanese tourists, a group of old women gossiping about their relatives, and an Israeli police van which screeches to a halt so several heavily armed soldiers can get off the car and urinate.
-1
Miss India and an aspiring actor spend a night together roaming the streets of Mumbai and unwittingly clash paths with a megalomaniacal gangster planning to take over India.
-3
The improbable real life of Rafael Escalona, who had no music education and became Colombia's king of vallenato music, chronicling everyday life.
-1
Seeking vengeance on those who double-crossed him, an escaped prisoner impersonates an unsuspecting chef.
-3
A lavish Maharaja lived with his sister-in-law and stepbrother Rajasekhar, helping people incessantly. His sister-in-law has a son, to whom the Maharaja bequeaths a major portion of his property. At this juncture, a new baby is born to the Maharaja.His wife dies soon after. Brother Rajasekhar cheats the Maharaja as he fears that his son's property might be taken back and given to the Maharaja's own son. When the cheating comes to light, the Maharaja hands over all his property and his baby to his sister-in-law...
-2
Ramkishen and his wife Mamta have three sons. Prem and Vinod have sweethearts in Preeti and Vivek marries Sangeeta. Since Vivek is Mamta's step-son, she plots to alienate him, but will she succeed?
0
A street hustler, who has spent several years in and out of prison, decides to reform his life, as he teaches street kids to stay away from crime, but has trouble maintaining these ideals in his own life.
-2
After mistaking a flight attendant's attention for love, a wealthy, spoiled man becomes obsessed with her and soon tears her life apart.
1
Vikram Mayur is looking after his late brother's eight-year-old son and is torn between choosing to take Nandu back to England to learn his family's business, or risk throwing it all way.
-1
In the 12th century's Andalusia lives Ibn Rushd a prominent islamic philosopher with his wife Zeinab and daughter Salma. The principality is ruled by Khalifa ElMansour who has two sons, ElNasser, an intellectual that likes Ibn Rush and is in love with his daughter Salma. The younger son Abdallah is more into dancing and poetry, spending most of his times with the gypsy family and getting the daughter pregnant. The Khalifa is depending on the extremists to build his army granting them more power which they use to combat artists and philosophers. The extremists succeed in recruiting Abd Allah and train him to kill his father. Events go on where Marawan, the gypsy singer, is killed and Ibn Rushd's books are burnt. Adapted from the real life of Ibn Rushd AlMasir is Chahine's statement against extremism.
-1
A divorced husband desperately misses his daughter. In order to be with her, he takes up a job in his father-in-law's house. The only catch is that the job is that of a female governess.
-2
A ghost seeking revenge for his death haunts the man who received his heart in a transplant.
-3
Sinbad brings the '70s back with a nostalgic stand-up special dedicated to the films, fashion and other flashbacks from that era.
1
The theme revolves around the character Damini who represents truth and innocence. After her marriage in renowned wealthy family, Damini happens to see a cruel act done by her brother-in-law. She wants the victim to get justice, but the family including her husband oppose her, which leads her to leave the house. Soon she is helped by a drunkard, an ex-advocate, who helps her in all respect to reach to her aim and therefore justice
2
In March 1998 in Aspen, Colorado, the surviving members of the Monty Paython team - John Cleese, Terry Gilliam, Eric Idle, Terry Jones and Michael Palin - shared a stage together for the first time in 18 years. Even more remarkably, Graham Chapman was there too....in an urn! The occasion for this renuion was the US Comedy Arts Festival Tribute to Monty Python, hosted by Robert Klien in front of a live audience.
0
Vishu and Ramu are a pair of Indian twins living in America with their father, Rajamani. When Madhumita (Aishwarya Rai) and her brother come to America to get medical treatment for their ailing grandmother, Vishu and Ramu end up meeting them at the airport. Vishu falls in love with Madhumita, and the couple has everyone's blessing, except for Rajamani, who is estranged from his own twin brother. He only wants his sons to marry twin sisters, so Madhumita pretends to have a twin in order to please him. As Madhumita puts on a charade by creating Vaishnavi, all goes well, until Ramu falls in love with Vaishnavi. Now the truth must come out, before Madhumita has to marry both of Rajamani's twin sons.
-1
In April, 1975, civil war breaks out; Beirut is partitioned along a Moslem-Christian line. Tarek is in high school, making Super 8 movies with his friend, Omar. At first the war is a lark: school has closed, the violence is fascinating, getting from West to East is a game. His mother wants to leave; his father refuses. Tarek spends time with May, a Christian, orphaned and living in his building. By accident, Tarek goes to an infamous brothel in the war-torn Olive Quarter, meeting its legendary madam, Oum Walid. He then takes Omar and May there using her underwear as a white flag for safe passage. Family tensions rise. As he comes of age, the war moves inexorably from adventure to tragedy.
-2
Roshni Chadha makes her living, singing in various places and this makes her the breadwinner of her home. She soon gets to meet the handsome and wealthy Rahul Malhotra, who finds out that she can actually sing professionally and he helps her to attain this goal, which soon became a success and Roshni falls in love with Rahul and finds out that he has the same feelings for her. On a foreign trip, Roshni is arrested by the police for having in her possession cocaine, Rahul disappears leaving Roshni in hot-soup and now she must prepare to undergo her prison terms as there is no one to help her.
2
Shankar and Chanchal earn their living by doing road shows. Once, Shankar sees Natasha on a circus poster and dreams of working with her. He gets an offer to work in the circus in Russia.
1
Patrick Perrault, a photo-journalist covering the war in Beirut in the late 1980s, is himself caught up in the hostilities when one day he is picked up and bundled into a car at gun-point. Blind-folded, he is taken to an unknown location where he discovers that he is being taken hostage by Lebanese guerrillas.
-3
Yılmaz Erdoğan's lauded stage play traces the life of wunderkind Gülseren as she navigates social and political change.
0
Suraj Singh is addicted to drugs and as a result witnessed his girlfriend being raped in front of his eyes with him being helpless, from here on he vows to put an end to all drug dealers and started to work as a hit man for an underworld don, Daaga also known as Justice Dharmesh Agnihotri. He also meets and make enemy with a lawyer, Karan Srivastav, who is looking for the murderer of his father, journalist Chandrakant. As time proceeds, Suraj and Karan would frequently get into brawls in front of the society to the extent that each of them will now do anything to kill the other. Unknown to both that one person is responsible for there lives being upside down and he is under the veil of respectability - non other than Justice Dharmesh Agnihotri alias Dagga.
-6
Priya decides that she wants to be a nun, much to the horror of her father and Thomas, the boy who is in love with her. Thomas decides to enlist the help of Deva to change her mind.
1
In order to settle personal scores; two gang leaders, Jai Singh and Oberoi fight for many years in gang-wars. There enmity multiplies when Jai's younger brother, Suraj falls in love with Oberoi's sister, Sapna which forces Suraj and Sapna to elope. Jai then locates the duo and brings them back to try and convince Oberoi to get them marry albeit successful.
0
Many people first became aware of the Shatila refugee camp in Lebanon after the shocking and horrific Sabra-Shatila massacre that took place there in 1982. Located in Beirut's "belt of misery," the camp is home to 15,000 Palestinians and Lebanese who share a common experience of displacement, unemployment and poverty.  Fifty years after the exile of their grandparents from Palestine, the children of Shatila attempt to come to terms with the reality of being refugees in a camp that has survived massacre, siege and starvation.  Director Mai Masri focuses on two Palestinian children in the camp: Farah, age 11 and Issa, age 12. When these children are given video cameras, the story of the camp evolves from their personal narratives as they articulate the feelings and hopes of their generation.
-8
Enjoy Comedic Superstar Sinbad as he gives us one of his most stellar stand up performances, shot on the beautiful island of Aruba at the Guillermo P. Trinidad Theatre. As always, Sinbad shows why he’s a veteran in comedy since the 80’s, with an entertaining show that the entire family can enjoy.
5
The biblical tale of Joseph is told from an Egyptian perspective in this interesting character study. In this film, Joseph is called Ram. Ram, tired of his family's backward superstitious life, and tired of being picked on by his brothers, wants to go to Egypt to study agriculture. His brothers travel with him across Sinai, but then suddenly sell him to Ozir, an Egyptian who works for a Theban military leader, Amihar. Amihar is impressed by Ram's drive and personal charm and so grants Ram some desolate land outside the capital. Ram soon finds himself a pawn in the political and sexual games between Amihar and his wife Simihit, a high priestess of the Cult of Amun.
-1
Ricky Bell, an all-pro running back with the Tampa Bay Buccaneers, who died of a rare muscle disease in the prime of his career. The plot centers on Bell's relationship with a father-less handicapped boy, and his efforts to be a big brother to him. The boy ends up being an inspiration for Bell when his disease makes the athlete more afflicted than the boy.
-2
Raised by a kindly thief, orphaned Jimmy goes on the run from goons and falls in love with Jyoti, whose father indirectly caused his parents' deaths.
-1
The 1961 trial of Adolf Eichmann held in an Israeli courtroom and broadcast around the globe, was a benchmark event in the historiography of the Holocaust, especially in Israel where the trial proved a watershed experience for survivors and citizens of the new Jewish state. Employing new video and broadcast technologies, the trial was also a milestone in media and journalism coverage.  This absorbing, comprehensive new documentary features detailed accounts of Eichmann's capture, the drama in the courtroom and behind the scenes, and reactions to the trial from around the world.
2
When an abusive landowner is murdered, his twin brother sets out to find the killer but quickly discovers that everyone, it seems, wanted him dead.
-3
The recounting of a terrible crime that wracked a family and galvanized police in South Carolina in the 1980's. Southern beauty pageant winner Dawn Smith is targeted by a sadistic stalker whose obsession with her leads him to kidnap her younger sister.
3
Experience veteran comedian Sinbad as he returns to his college town of Denver and performs at the Paramount Theatre for this next installment of his famed HBO Comedy Specials. Sinbad: Son of a Preacher Man is a self-styled monologue that comments on the perils of skiing, para-sailing during a bad vacation, fashion trends in lingerie, and more!
0
When Walter White, a New Mexico chemistry teacher, is diagnosed with Stage III cancer and given a prognosis of only two years left to live. He becomes filled with a sense of fearlessness and an unrelenting desire to secure his family's financial future at any cost as he enters the dangerous world of drugs and crime.
-3
Sheriff's deputy Rick Grimes awakens from a coma to find a post-apocalyptic world dominated by flesh-eating zombies. He sets out to find his family and encounters many other survivors along the way.
1
Follows the personal and professional lives of a group of doctors at Seattle’s Grey Sloan Memorial Hospital.
0
The story of a wealthy family that lost everything, and the one son who had no choice but to keep them all together.
0
Follow the lives of a group of students at what is possibly the world’s worst community college in the fictional locale of Greendale, Colorado.
-2
The cases of the Naval Criminal Investigative Service's Washington, D.C. Major Case Response Team, led by Special Agent Leroy Jethro Gibbs.
0
In a war-torn world of elemental magic, a young boy reawakens to undertake a dangerous mystic quest to fulfill his destiny as the Avatar, and bring peace to the world.
2
When they were boys, Sam and Dean Winchester lost their mother to a mysterious and demonic supernatural force. Subsequently, their father raised them to be soldiers. He taught them about the paranormal evil that lives in the dark corners and on the back roads of America ... and he taught them how to kill it. Now, the Winchester brothers crisscross the country in their '67 Chevy Impala, battling every kind of supernatural threat they encounter along the way. 
-7
This fast-paced and stunt-filled motor show tests whether cars, both mundane and extraordinary, live up to their manufacturers' claims. The long-running show travels to locations around the world, performing extreme stunts and challenges to see what the featured cars are capable of doing. The current hosts are Paddy Mcguinness, Chris Harris and Andrew "Freddie" Flintoff.
1
Young hobbit Frodo Baggins, after inheriting a mysterious ring from his uncle Bilbo, must leave his home in order to keep it from falling into the hands of its evil creator. Along the way, a fellowship is formed to protect the ringbearer and make sure that the ring arrives at its final destination: Mt. Doom, the only place where it can be destroyed.
-3
Bakers attempt three challenges each week trying to impress the judges enough to go through to the next round and eventually are crowned Britain's best amateur baker.
3
The trials and triumphs of life in the small town of Dillon, Texas, where high school football is everything.
1
Two I.T. nerds and their clueless female manager, who work in the basement of a very successful company. When they are called on for help, they are never treated with any respect at all.
2
John Anderton is a top 'Precrime' cop in the late-21st century, when technology can predict crimes before they're committed. But Anderton becomes the quarry when another investigator targets him for a murder charge.
-1
As bass guitarist for a garage-rock band, Scott Pilgrim has never had trouble getting a girlfriend; usually, the problem is getting rid of them. But when Ramona Flowers skates into his heart, he finds she has the most troublesome baggage of all: an army of ex-boyfriends who will stop at nothing to eliminate him from her list of suitors.
-3
Batman raises the stakes in his war on crime. With the help of Lt. Jim Gordon and District Attorney Harvey Dent, Batman sets out to dismantle the remaining criminal organizations that plague the streets. The partnership proves to be effective, but they soon find themselves prey to a reign of chaos unleashed by a rising criminal mastermind known to the terrified citizens of Gotham as the Joker.
-6
This reality competition sees teams embark on a trek around the world to amazing destinations where they must compete in a series of challenges, some mental and some physical. Only when the tasks are completed will they learn of their next location. Teams who are the farthest behind will gradually be eliminated as the contest progresses, with the first team to arrive at the final destination winning the race and the $1 million prize.
4
Life is hard on the Flemings' ranch in the Alberta foothills where abused or neglected horses find refuge with a kind, hard-working family. Debts abound and the bank is about to foreclose. Can they keep the ranch running?
-2
Light Yagami is an ace student with great prospects—and he’s bored out of his mind. But all that changes when he finds the Death Note, a notebook dropped by a rogue Shinigami death god. Any human whose name is written in the notebook dies, and Light has vowed to use the power of the Death Note to rid the world of evil. But will Light succeed in his noble goal, or will the Death Note turn him into the very thing he fights against?
-4
Kenzou Tenma, a Japanese brain surgeon in Germany, finds his life in utter turmoil after getting involved with a psychopath that was once a former patient.
0
When three friends finally come to after a raucous night of bachelor-party revelry, they find a baby in the closet and a tiger in the bathroom. But they can't seem to locate their best friend, Doug – who's supposed to be tying the knot. Launching a frantic search for Doug, the trio perseveres through a nasty hangover to try to make it to the church on time.
-1
In another world, ninja are the ultimate power, and in the Village Hidden in the Leaves live the stealthiest ninja in the land. Twelve years earlier, the fearsome Nine-Tailed Fox terrorized the village and claimed many lives before it was subdued and its spirit sealed within the body of a baby boy. That boy, Naruto Uzumaki, has grown up to become a ninja-in-training who's more interested in pranks than in studying ninjutsu.. but Naruto is determined to become the greatest ninja ever!
-1
Frodo and Sam are trekking to Mordor to destroy the One Ring of Power while Gimli, Legolas and Aragorn search for the orc-captured Merry and Pippin. All along, nefarious wizard Saruman awaits the Fellowship members at the Orthanc Tower in Isengard.
-1
Aragorn is revealed as the heir to the ancient kings as he, Gandalf and the other members of the broken fellowship struggle to save Gondor from Sauron's forces. Meanwhile, Frodo and Sam take the ring closer to the heart of Mordor, the dark lord's realm.
-3
The Medicine Seller is a deadly and mysterious master of the occult who travels across feudal Japan in search of malevolent spirits called mononoke to slay. When he locates one of these spirits, he cannot simply kill it; he must first learn its Form, its Truth, and its Reason in order to wield the mighty Exorcism Sword and fight against it. He must begin his strange exorcisms with intense psychological analysis and careful investigative work—an extremely dangerous step, as he must first confront and learn about the mononoke before he even has the means to defeat it.
-5
Rodeo cowboy Jack and ranch hand Ennis are hired as sheepherders in 1963 Wyoming. One night on Brokeback Mountain, they spark a physical relationship. Though Ennis marries his longtime sweetheart and Jack marries a fellow rodeo rider, they keep up their tortured, sporadic love affair for 20 years.
0
Dave Chappelle's singular point of view is unleashed through a combination of laidback stand-up and street-smart sketches.
0
After a violent storm, a dense cloud of mist envelops a small Maine town, trapping artist David Drayton and his five-year-old son in a local grocery store with other people. They soon discover that the mist conceals deadly horrors that threaten their lives, and worse, their sanity.
-8
Did intelligent beings from outer space visit Earth thousands of years ago? From the age of the dinosaurs to ancient Egypt, from early cave drawings to continued mass sightings in the US, each episode gives historic depth to the questions, speculations, provocative controversies, first-hand accounts and grounded theories surrounding this age old debate.
-2
Mike Sullivan works as a hit man for crime boss John Rooney. Sullivan views Rooney as a father figure, however after his son is witness to a killing, Mike Sullivan finds himself on the run in attempt to save the life of his son and at the same time looking for revenge on those who wronged him.
-2
Olive, an average high school student, sees her below-the-radar existence turn around overnight once she decides to use the school's gossip grapevine to advance her social standing. Now her classmates are turning against her and the school board is becoming concerned, including her favorite teacher and the distracted guidance counselor. With the support of her hilariously idiosyncratic parents and a little help from a long-time crush, Olive attempts to take on her notorious new identity and crush the rumor mill once and for all.
-4
Players working as a team complete a series of difficult physical and psychological tests, each worth a set amount of money. One of the players, however, is a "Mole" or saboteur, whose goal is to foil the efforts of the other players without revealing his or her identity. At the end of each episode, the group is given a quiz on The Mole's identity. The player who knows the least information about The Mole is then immediately sent home. In the final episode, The Mole is revealed and the one remaining player wins the jackpot, up to $1,000,000.
1
A struggling salesman takes custody of his son as he's poised to begin a life-changing professional career.
0
Pickers like Mike Wolfe and Frank Fritz are on a mission to recycle America, even if it means diving into countless piles of grimy junk or getting chased off a gun-wielding homeowner’s land. Hitting back roads from coast to coast, the two men earn a living by restoring forgotten relics to their former glory, transforming one person’s trash into another’s treasure.
1
Japan has been invaded and conquered by the Britannian Empire. Japan is now known as Area 11 and its citizens known as Elevens. The Britannian Empire takes away Japan's autonomous power and imposes its rule through the use of Knightmares. The Empire's rule has never faltered, but cracks have begun to show...
-1
Go inside the colorful world of the pawn business. At the Gold & Silver Pawn Shop on the outskirts of Las Vegas, generations of the Harrison family run the family business, and there’s clashing and camaraderie every step of the way.
2
"Get your muzzle out of those books and make some friends!" That's what Princess Celestia tells Twilight Sparkle. She may be the smartest unicorn in Equestria, but Twilight Sparkle gets an "incomplete" in friendship. There's more to life than learning magic, after all -- so she goes to Ponyville on a mission to make friends. There she meets five special ponies who take her on exciting adventures and teach her the most powerful magic of all ... the magic of friendship!
7
Two couples disintegrate when they begin destructive adulterous affairs with each other.
-2
A biopic depicting the life of filmmaker and aviation pioneer Howard Hughes from 1927 to 1947, during which time he became a successful film producer and an aviation magnate, while simultaneously growing more unstable due to severe obsessive-compulsive disorder.
-2
After high school graduation, "Laguna Beach" alumna Lauren sets out to live on her own in Los Angeles and work as an intern at Teen Vogue.
1
Ali leaves behind a troubled life and follows her dreams to Los Angeles, where she lands a job as a cocktail waitress at the Burlesque Lounge, a once-majestic theater that houses an inspired musical revue. Vowing to perform there, she makes the leap from bar to stage, helping restore the club's former glory.
1
40-year old political leader Birgitte Nyborg secures her party a landslide victory through her idealism and huge effort, then faces the biggest challenge of her life: how most effectively to use the newly won seats, and how far she is willing to go in order to gain as much influence as possible.
5
Roll out with Optimus Prime, Bumblebee, Arcee, Ratchet, Bulkhead, and the rest of the heroic Autobots as they battle the evil Decepticons. Now that big bad Megatron has returned with a mysterious and dangerous element, Team Prime must prepare for an epic battle.
-3
Watch Carly, Sam, and Freddie, as they try to balance their everyday 8th grade lives with their newfound fame managing and starring in the most awesome show on the web.
2
After their father is called into work, two young boys, Walter and Danny, are left in the care of their teenage sister, Lisa, and told they must stay inside. Walter and Danny, who anticipate a boring day, are shocked when they begin playing Zathura, a space-themed board game, which they realize has mystical powers when their house is shot into space. With the help of an astronaut, the boys attempt to return home.
-1
Pro quarter-back, Paul Crewe and former college champion and coach, Nate Scarboro are doing time in the same prison. Asked to put together a team of inmates to take on the guards, Crewe enlists the help of Scarboro to coach the inmates to victory in a football game 'fixed' to turn out quite another way.
1
A semi-biographical account of Yip Man, the first martial arts master to teach the Chinese martial art of Wing Chun. The film focuses on events surrounding Ip that took place in the city of Foshan between the 1930s to 1940s during the Second Sino-Japanese War. Directed by Wilson Yip, the film stars Donnie Yen in the lead role, and features fight choreography by Sammo Hung.
1
The whacky adventures of Ned Bigby and his best pals Moze and Cookie at James K. Polk Middle School, as "every-kid" Ned shatters the fourth wall to share tips and tricks on navigating middle school or junior high hurdles. Ned's not super cool, and he has no superpowers. He is, however, witty, well-groomed, upbeat and self-aware. Moreover, with more than a little help from his two best friends, he's equipped to conquer middle school minefields. From crushing bullies to crushes, from off- the-wall, mean and cool teachers to pop quizzes, elections and detentions, Ned knows that nothing, including the seventh grade, is as bad as it seems, and friendship matters most.
2
Mort Rainey, a writer just emerging from a painful divorce with his ex-wife, is stalked at his remote lake house by a psychotic stranger and would-be scribe who claims Rainey swiped his best story idea. But as Rainey endeavors to prove his innocence, he begins to question his own sanity.
-1
William Thatcher, a knight's peasant apprentice, gets a chance at glory when the knight dies suddenly mid-tournament. Posing as a knight himself, William won't stop until he's crowned tournament champion—assuming matters of the heart don't get in the way.
1
Vampires and werewolves have waged a nocturnal war against each other for centuries. But all bets are off when a female vampire warrior named Selene, who's famous for her strength and werewolf-hunting prowess, becomes smitten with a peace-loving male werewolf, Michael, who wants to end the war.
3
People whose uncontrollable addiction to drugs, alcohol or compulsive behavior has brought them to the brink of destruction and has devastated their family and friends are presented with a life-changing opportunity of intervention and rehab. Each addict must confront their darkest demons in order to begin their journey to recovery in the hopes that they can turn their lives around before it’s too late.
-5
Sam Witwicky leaves the Autobots behind for a normal life. But when his mind is filled with cryptic symbols, the Decepticons target him and he is dragged back into the Transformers' war.
-1
Julia Child and Julie Powell – both of whom wrote memoirs – find their lives intertwined. Though separated by time and space, both women are at loose ends... until they discover that with the right combination of passion, fearlessness and butter, anything is possible.
1
Navy SEAL Lieutenant A.K. Waters and his elite squadron of tactical specialists are forced to choose between their duty and their humanity, between following orders by ignoring the conflict that surrounds them, or finding the courage to follow their conscience and protect a group of innocent refugees. When the democratic government of Nigeria collapses and the country is taken over by a ruthless military dictator, Waters, a fiercely loyal and hardened veteran is dispatched on a routine mission to retrieve a Doctors Without Borders physician.
-1
Like other teens in California, the lives of the Laguna Beach teenagers are filled with sandy beaches, beautiful friends and love triangles. But unlike other teens, they had cameras following them around. It may look like fantasyland, but they're not acting: they really are this rich and beautiful. For them, life really is a day at the beach.
6
Reuben Feffer is a guy who's spent his entire life playing it safe. Polly Prince is irresistible as a free-spirit who lives for the thrill of the moment. When these two comically mismatched souls collide, Reuben's world is turned upside down, as he makes an uproarious attempt to change his life from middle-of-the-road to totally-out-there.
2
The zany, fast-paced adventures of a 10-year-old boy and his fairy godparents, who inadvertently create havoc as they grant wishes for their pint-sized charge.
0
Set in a small restaurant in the corner of a shopping district. The unusual eatery is only open after midnight, and its standard menu consists of just a single choice. However, the customers still come for the amusing chatter and the proprietor's willingness to cook any dish that they request. This drama depicts the lives of the restaurant's patrons, including a yakuza, an unsuccessful actor, a group of office ladies, a newspaper delivery boy, and a stripper.
-1
Academy Award-winning documentary filmmaker, Jean-Xavier de Lestrade, presents a gripping courtroom thriller, offering a rare and revealing inside look at a high-profile murder trial. In 2001, author Michael Peterson was arraigned for the murder of his wife Kathleen, whose body was discovered lying in a pool of blood on the stairway of their home. Granted unusual access to Peterson's lawyers, home and immediate family, de Lestrade's cameras capture the defense team as it considers its strategic options. The series is an engrossing look at contemporary American justice that features more twists than a legal bestseller.
-4
When a virus leaks from a top-secret facility, turning all resident researchers into ravenous zombies and their lab animals into mutated hounds from hell, the government sends in an elite military task force to contain the outbreak. Alice and Rain are charged with leading the mission. But they only have three hours before the pathogen becomes airborne and infects the world.
-3
The Reyes-Elizondo's idyllic lives are shattered by a murder charge against Eric and León.
0
From the Egyptian desert to deep below the polar ice caps, the elite G.I. JOE team uses the latest in next-generation spy and military equipment to fight the corrupt arms dealer Destro and the growing threat of the mysterious Cobra organization to prevent them from plunging the world into chaos.
-4
Aspiring singer Tori Vega navigates life while attending a performing arts high school called Hollywood Arts.
0
London high-society mouse, Roddy is flushed down the toilet by Sid, a common sewer rat. Hang on for a madcap adventure deep in the sewer bowels of Ratropolis, where Roddy meets the resourceful Rita, the rodent-hating Toad and his faithful thugs, Spike and Whitey.
0
Follow the booze-fueled misadventures of three longtime pals and petty serial criminals who run scams from their Nova Scotia trailer park.
-3
True story of the undersized Depression-era racehorse whose victories lifted not only the spirits of the team behind it but also those of their nation.
0
Monsters under the bed are scary enough, but what happens when an entire house is out to get you? Three teens aim to find out when they go up against a decrepit neighboring home and unlock its frightening secrets.
-3
In 1933 New York, an overly ambitious movie producer coerces his cast and hired ship crew to travel to mysterious Skull Island, where they encounter Kong, a giant ape who is immediately smitten with the leading lady.
2
Total Drama Island focuses on twenty-two teenagers' arrival at Camp Wawanakwa to compete on a reality television show. The contestants are divided into two teams and must compete in challenges every three days. While the winning team earns invincibility, the losing team has to vote off one of their own players. Whoever is voted off must walk the Dock of Shame to the Boat of Losers and leave the island. The teams eventually dissolve and the elimination process continues until the last contestant standing wins a grand prize of $100,000.
1
Sonic and his friends team up with 12 year old Christopher to collect all the Chaos Emeralds and defeat the evil Dr. Eggman.
-1
In 2007 Mobile, Alabama, Mardi Gras is celebrated... and complicated. Following a cast of characters, parades, and parties across an enduring color line, we see that beneath the surface of pageantry lies something else altogether.
-1
In a magical universe, witches, warriors begin fighting in the name of good .vs. evil! At a magic school, five teenage girls are selected to defend the universe with their magic.
3
Ben Campbell is a young, highly intelligent, student at M.I.T. who strives to succeed. Wanting a scholarship to transfer to Harvard School of Medicine to become a doctor, Ben learns that he cannot afford the $300,000 tuition as he comes from a poor, working-class background. But one evening, Ben is introduced by his unorthodox math professor to  a small but secretive club.  Students Jill, Choi, Kianna, and Fisher, who are being trained by Professor Rosa in to count cards at blackjack.
0
Zoey 101 is an American television series which originally aired on Nickelodeon from January 9, 2005 until May 2, 2008. It focuses on the lives of teenager Zoey Brooks and her friends as they attend Pacific Coast Academy, a fictional boarding school in Southern California. It was created by Dan Schneider. It was initially filmed at Pepperdine University in Malibu, California, then at stages in Valencia, California beginning in season 3. It was nominated for an "Outstanding Children's Program" Emmy in 2005. Zoey 101 was the most expensive production ever for Nickelodeon series, as it was shot completely on location in Malibu. It was also Nickelodeon's best performance for a series premiere in almost eight years. Despite this, many critics have made negative comments about the show, its setting, and its characters.
-2
Mexican immigrant and single mother Flor Moreno finds housekeeping work with Deborah and John Clasky, a well-off couple with two children of their own. When Flor admits she can't handle the schedule because of her daughter, Cristina, Deborah decides they should move into the Clasky home. Cultures clash and tensions run high as Flor and the Claskys struggle to share space while raising their children on their own, and very different, terms.
-2
As a wild stallion travels across the frontiers of the Old West, he befriends a young human and finds true love with a mare.
0
Sawako Kuronuma, dubbed Sadako by her classmates for her resemblance to the character from The Ring—has always been feared and misunderstood because of her appearance; but her true nature couldn’t be farther from that. Not until she meets Shōta Kazehaya, do people begin to see her true self.
-1
When yet another anniversary passes without a marriage proposal from her boyfriend, Anna decides to take action. Aware of a Celtic tradition that allows women to pop the question on Feb. 29, she plans to follow her lover to Dublin and ask him to marry her. Fate has other plans, however, and Anna winds up on the other side of the Emerald Isle with handsome, but surly, Declan -- an Irishman who may just lead Anna down the road to true love.
4
Working-class waitress Slim thought she was entering a life of domestic bliss when she married Mitch, the man of her dreams. After the arrival of their first child, her picture perfect life is shattered when she discovers Mitch's hidden possessive dark side, a controlling and abusive alter ego that can turn trust, love and tranquility into terror. Terrified for her child's safety, Slim flees with her daughter. Relentless in his pursuit and enlisting the aid of lethal henchmen, Mitch continually stalks the prey that was once his family.
-1
Mind-control technology has taken society by a storm, a multiplayer on-line game called "Slayers" allows players to control human prisoners in mass-scale. Simon controls Kable, the online champion of the game. Kable's ultimate challenge becomes regaining his identity and independence by defeating the game's mastermind.
1
When the coach of the France soccer team is killed by a poisoned dart in the stadium in the end of a game, and his expensive and huge ring with the diamond Pink Panther disappears, the ambitious Chief Inspector Dreyfus assigns the worst police inspector Jacques Clouseau to the case.
-2
Rascal. Joker. Dreamer. Genius... You've never met a college student quite like "Rancho." From the moment he arrives at India's most prestigious university, Rancho's outlandish schemes turn the campus upside down—along with the lives of his two newfound best friends. Together, they make life miserable for "Virus," the school’s uptight and heartless dean. But when Rancho catches the eye of the dean's sexy daughter, Virus sets his sights on flunking out the "3 idiots" once and for all.
-2
Teenagers at a juvenile detention center, under the leadership of their counselor, gain self-esteem by playing football together.
1
As the city is locked down under quarantine, Alice finds out that the people that died from the previous incident at the Umbrella Corporation have turned into zombies. She then joins a small band of elite soldiers, who are enlisted to rescue the missing daughter of the creator of the mutating T-virus.  Once lack of luck and resources happen, they begin to wage an exhilarating battle to survive and escape before the Umbrella Corporation erases its experiment from the face of the earth.
0
In a world ravaged by a virus infection, turning its victims into the Undead, Alice continues on her journey to find survivors and lead them to safety. Her deadly battle with the Umbrella Corporation reaches new heights, but Alice gets some unexpected help from an old friend. A new lead that promises a safe haven from the Undead takes them to Los Angeles, but when they arrive the city is overrun by thousands of Undead - and Alice and her comrades are about to step into a deadly trap.
-2
An IRS agent with a fateful secret embarks on an extraordinary journey of redemption by forever changing the lives of seven strangers.
0
Having spent the last 10 years fighting injustice and cruelty, Alejandro de la Vega is now facing his greatest challenge: his loving wife Elena has thrown him out of the house!  Elena has filed for divorce and found comfort in the arms of Count Armand, a dashing French aristocrat.  But Alejandro knows something she doesn't: Armand is the evil mastermind behind a terrorist plot to destroy the United States.  And so, with his marriage and the county's future at stake, it's up to Zorro to save two unions before it's too late.
-1
Ren Guang Xi, a cocky law student, seems to lead the perfect life. He's the sole successor to a huge and famous business and is a talented ice hockey player. But in reality, his lonely life lacks joy, laughter and motivation. That is until he meets Liang Mu Cheng, the new bento seller at his school canteen. A harmless bet brings the two together and Guang Xi slowly changes as Mu Cheng teaches him how to give and love. Tragedy strikes when Guang Xi suddenly has to go through a major brain surgery which causes him to lose his memory.
0
Cult Scottish comedy about the lives of two OAP's (Old Age Pensioners) Jack and Victor and their views on how it used to be in the old days and how bad it is now in the fictional town of Craiglang.
-2
In Victorian-era London, on the night of Ciel Phantomhive's tenth birthday a fire destroyed his manor and killed both of his parents. In a moment of death Ceil strikes a deal with a demon, his soul in exchange for revenge. This demon becomes his butler and calls himself by name of Sebastian Michaelis, to protect and serve Ciel until the deal has been completed. One month after the fire Ciel returns from being missing, with his new butler Sebastian. Ceil is now the head of the Phantomhive corporation, handling all business affairs as well as the work as the Queen of England’s guard dog and looking for his parents murders.
-4
Jose learns that Nora, the woman he was married to for 30 years and from whom divorced, has committed suicide. The rabbi explains Joseph that due to the celebrations this time of the year, if Nora is not buried that same day, they should wait at least 5 days for the funeral. Nora had planned before his death, a Machiavellian plan in order that Joseph was the one who has to take care of his funeral. But Nora forgot a small detail, a mysterious photograph stored under her bed, that will remind Joseph that the greatest love stories, sometimes are hidden in the smallest places.
0
The inspirational tale of Chippey, the young scout elf who is assigned by Santa to restore Taylor McTuttle's belief in Christmas magic. When the boy breaks the number one Elf on the Shelf rule, Chippey loses his Christmas magic; the entire McTuttle family loses is scout elf, and both Taylor and Chippey lose their self-respect. Through the power of love and forgiveness, both of them learn the most important lesson of all: that true belief cannot be taught.
2
A working class girl winds up at an exclusive prep school. Unassuming high school girl Jan Di stands up to — and eventually falls for — a spoiled rich kid who belongs to the school's most powerful clique.
-1
DCP DeSilva sees a way to bring to justice the feared head of a criminal empire by recruiting a man named Vijay, who looks exactly like the crime boss. The ruse works too well, and soon Vijay finds his life in danger when DeSilva, the only one who knows his true identity, dies.
0
Ryūji Takasu is a gentle high school student with a love for housework; but in contrast to his kind nature, he has an intimidating face that often gets him labeled as a delinquent. On the other hand is Taiga Aisaka, a small, doll-like student who is anything but a cute and fragile girl. Equipped with a wooden katana and feisty personality, Taiga is known throughout the school as the "Palmtop Tiger." One day, an embarrassing mistake causes the two students to cross paths. Ryūji discovers that Taiga actually has a sweet side: she has a crush on the popular vice president, Yūsaku Kitamura, who happens to be his best friend. But things only get crazier when Ryūji reveals that he has a crush on Minori Kushieda—Taiga's best friend! Toradora! is a romantic comedy that follows this odd duo as they embark on a quest to help each other with their respective crushes, forming an unlikely alliance in the process.
-2
Ouran High is a school for the extremely wealthy or, in Haruhi's case, the extremely talented. But no amount of talent will help when Haruhi accidentally drops an eight million yen vase in a music room. The vase was the property of Ouran High School Host Club, a group of attractive young men who, for a fee, provide their time and affections for their lovesick clientele: the female students. Fascinated by this strange new specimen, a poor and clumsy commoner, they force Haruhi to work for them until the debt is repaid; but they get a lot more than they bargained for...
2
After a group of friends graduate from Delhi University, they listlessly haunt their old campus, until a British filmmaker casts them in a film she's making about freedom fighters under British rule. Although the group is largely apolitical, the tragic death of a friend owing to local government corruption awakens their patriotism. Inspired by the freedom fighters they represent in the film, the friends collectively decide to avenge the killing.
-4
A chronicle of Bob Dylan's strange evolution between 1961 and 1966 from folk singer to protest singer to "voice of a generation" to rock star.
-2
Monty is a mechanic struggling to make ends meet as he raises his three young daughters. When the court awards custody of his daughters to his shady ex-wife, Monty desperately tries to win them back with the help of Julia, a beautiful, Ivy League-educated attorney. Monty and Julia couldn't be less alike, but a flame is ignited...touching off a firestorm of love and conflict.
0
A sumptuous and sensual tale of intrigue, romance and betrayal set against the backdrop of a defining moment in European history: two beautiful sisters, Anne and Mary Boleyn, driven by their family's blind ambition, compete for the love of the handsome and passionate King Henry VIII.
4
A successful Indian scientist returns home to his village to take his nanny back to America with him, and in the process rediscovers his roots.
1
"Say goodnight to the bad guys" picks up where "A Sh*t river runs through it" left off. it's a year after the events of A.S.R.R.T.I and Ricky, Julian, and bubbles are rich with cash, but Julian sits on the money for a year claiming "movies like casino prove that waving money around right away is a bad idea." and then hides it in his newly purchased Delorean (AKA car from back to the future)
1
Lucy Hill is an ambitious up-and-coming executive living in Miami. She loves her shoes, she loves her cars and she loves climbing the corporate ladder. When she is offered a temporary assignment — in the middle of nowhere — to restructure a manufacturing plant, she jumps at the opportunity, knowing that a big promotion is close at hand. What begins as a straightforward assignment becomes a life-changing experience as Lucy discovers greater meaning in her life and, most unexpectedly, the man of her dreams.
5
Because they come from different castes, the son of a tax collector and his true love are not allowed to marry, sending them down divergent paths.
0
Mike says, "A few years ago my therapist suggested I keep a journal of all the crazy things that were going on in my life, so that I could keep things in perspective. Around the same time audiences were demanding more material, and I realized that other people might enjoy these stories-so I started sending them out to my mailing list. Now, my Secret Public Journal has become a Comedy Central special and DVD for all the world to see. Not sure this is what my therapist had in mind."
0
Code Lyoko centers on four children who travel to the virtual world of Lyoko to battle against a sentient artificial intelligence named XANA, with a virtual human called Aelita.
1
When her boyfriend Derwin Davis is chosen as the new third-string wide receiver for the San Diego Sabers, Melanie Barnett decides to attend a local college so she can be with him. While Derwin worries about the plays on the field, Melanie adjusts to her new lifestyle. She gets a play-by-play account of the lives and relationships among NFL wives, girlfriends and mom/managers who use their best game to help their men stay on the field and on their arm.
0
A sportscaster becomes a full-time dad when his ex-wife decides to accept a job out of the country and his teenage daughter, Breanna, moves in with him.
0
Two men get laid off and have to become stay-at-home dads when they can't find jobs, which inspires them to open their own day-care center.
0
Two married couples find only trouble and heartache as their complicated lives unfold. After 40 years of marriage, Alfie leaves his wife to pursue what he thinks is happiness with a call girl. His wife, Helena, reeling from abandonment, decides to follow the advice of a psychic. Sally, the daughter of Alfie and Helena, is unhappy in her marriage and develops a crush on her boss, while her husband, Roy, falls for a woman engaged to be married.
-4
Liz Gilbert had everything a modern woman is supposed to dream of having – a husband, a house and a successful career – yet like so many others, she found herself lost, confused and searching for what she really wanted in life. Newly divorced and at a crossroads, Gilbert steps out of her comfort zone, risking everything to change her life, embarking on a journey around the world that becomes a quest for self-discovery. In her travels, she discovers the true pleasure of nourishment by eating in Italy, the power of prayer in India and, finally and unexpectedly, the inner peace and balance of true love in Bali.
5
Nuevo Rico Nuevo Pobre is a Colombian telenovela produced and broadcast by Caracol TV starring Martín Karpan, John Alex Toro, Maria Cecilia Botero, Carolina Acevedo, Hugo Gómez, former Miss Colombia Andrea Noceti and Andrés Toro.

The show started on July 16, 2007 on Caracol TV and it is also broadcast on Ecuador's Teleamazonas in primetime. Caracol TV has sold the rights of the show to Telemundo and Fox. It is, as of May 2008, one of the highest rated TV shows in Colombia.
0
H2O: Just Add Water revolves around three teenage girls facing everyday teen problems with an added twist: they cope with the burden of growing a giant fin and transforming into mermaids whenever they come in contact with water.
-3
This documentary series examines the Einsatzgruppen, Nazis responsible for the mass murder of Jews, Romani and Soviet prisoners in Eastern Europe.
-2
Beautiful housewife Xie An Zhen seems to be living the perfect life but finds her world crumbling after learning that her husband is cheating on her.
0
A young Prince Asoka works to perfect his skills in battle and also deals with family conflict. During a struggle with one of his step-brothers, his mother urges Asoka to escape to stay alive. While away, Asoka meets Kaurwaki and falls in love, but must use his skills as a warrior to protect her. A dangerous and heartbreaking web of conspiracy follows, which leads Asoka to embrace a Buddhist path.
1
A retired police commissioner recounts the most memorable case of his career, wherein he was informed about a bomb scare in Mumbai.
-1
A doctor hires an escort to seduce her husband, whom she suspects of cheating, though unforeseen events put the family in danger.
-4
The Cartel follows ten friends, all of them members of a dangerous drug cartel, whose ambition for power and money will cause them to eventually kill each other. For it is an undeniable truth that, in this business, you always lose.
-3
A drama based on the true story of a college professor's bond with the abandoned dog he takes into his home.
0
When Susan Murphy is unwittingly clobbered by a meteor full of outer space gunk on her wedding day, she mysteriously grows to 49-feet-11-inches. The military jumps into action and captures Susan, secreting her away to a covert government compound. She is renamed Ginormica and placed in confinement with a ragtag group of Monsters...
-2
The story of the legendary martial arts icon Bruce Lee following him from Hong Kong to America and back again, leading up to his tragic death at the age of 32.
0
In this unique and dynamic live concert experience, Louis C.K.'s exploration of life after 40 destroys politically correct images of modern life with thoughts we have all had...but would rarely admit to.
3
A Californian family inherits a castle in Romania. This is especially exciting to the son, who is obsessed with monsters. And he is not disappointed.
-1
Armed men hijack a New York City subway train, holding the passengers hostage in return for a ransom, and turning an ordinary day's work for dispatcher Walter Garber into a face-off with the mastermind behind the crime.
-1
After winning his first competition, Takumi focuses his attention on drift racing, a sport he has unknowingly perfected while delivering tofu in his father's Toyota AE86.
1
Your favorite lazy, fat cat is at it again. Garfield, Odie, Jon and the rest of the gang are back for more funny misadventures. Whether he's scarfing down lasagna or tricking Nermal the kitten, Garfield is guaranteed to crack you up. But remember: He hates Mondays!
-4
Television's "King of Queens" reigns again in this Comedy Central special -- the network's first-ever hour-long show devoted entirely to one comic, taped live in July 2001 at New York City's Hudson Theatre. James riffs on life's many "royal" pains, including waiting in line with strangers, negotiating with the airport ticket counter clerk, underwear wedgies, boringly slow answering machine messages and more.
-3
Flama and Moko are fourteen years old; they have been best friends since they were kids. They have everything they need to survive yet another boring Sunday: an apartment without parents, videogames, porn magazines, soft drinks and pizza delivery.
1
Half & Half is an American sitcom that aired on UPN from September 23, 2002, to May 15, 2006. The show focuses on the lives of two paternal half-sisters in their twenties who were estranged throughout their childhood, and are finally developing a close relationship. The series is set in San Francisco.

It was the second-most-watched show on UPN's Monday night line-up and fourth overall on the network. The show was on The CW's first draft line-up in March 2006, but due to several circumstances—including The CW's contractual obligation to pick up Reba, the uncancelling of All of Us, and the pick-up of the Girlfriends spin-off The Game—Half & Half was left off the final Fall 2006 schedule and ended production. The series has aired in reruns on Global TV in Canada, Trouble in the UK and in local syndication in the United States. It also airs in the United States on TV One.
-3
Four teenage friends move from Minneapolis to Los Angeles to form a potential chart-topping boy band after Kendall is inadvertently discovered by an eccentric record executive, Gustavo Rocque. As they seize this opportunity of a lifetime, these friends embark on an exciting comedy and music-filled journey to prove to themselves and their record label that they are serious about their new career choice.
0
Fun-loving Pocoyo is curious about absolutely everything, and he loves to play and explore with his companions.
1
When professional ambitions clash with personal feelings for a modern-day couple, a love story from a bygone era may offer some wisdom.
1
A self-styled accident choreographer, the Brain is a professional hitman who kills his victims by trapping them in well crafted accidents that look like unfortunate mishaps. When the team's next assignment goes disastrously wrong, Brain begins to suspect that someone else has planned an ‘accident’ on them.
-4
Pi Zi and Ying Xiong are two cops who are as different as day and night. One lives a luxurious lifestyle and does nothing but drink coffee and wait for information from dubious sources to crack his cases. Another believes law and justice are the pillars of society and is constantly on the street catching criminals. When a case brings these two top crime solvers together, sparks fly and light begins to creep into the dark corners of Taipei.
-4
Pedro el escamoso is a popular telenovela filmed in Colombia and produced by the Colombian network, Caracol TV.

This novela is about a cheesy but charming macho man who lives in a small town in Colombia. He moves to the city to find his fortune and encounters a series of events and people that change his life dramatically. Pedro is the epitome of a man who can get all the women he wants, but can't get the one he loves.
3
Firefighters Chuck Ford and Larry Valentine are guy's guys, loyal to the core—which is why when widower Larry asks Chuck to pose as his lover so that he can get domestic partner benefits for his kids, his buddy agrees. However, things get dicey when a bureaucrat comes calling, and the boys are forced to present a picture of domestic bliss.
4
The affable, towheaded comic demonstrates his hysterical brand of self-effacing comedy and deadpan delivery at two sold-out shows at Chicago's Vic Theater. It's OK to laugh at this pale white guy...'cause nobody's laughing at Jim Gaffigan harder than Jim Gaffigan!
-1
Babu Rao, Raju and Shyam, are living happily after having risen from rags to riches. Still, money brings the joy of riches and with it the greed to make more money - and so, with a don as an unknowing investor, Raju initiates a new game.
3
The boys get arrested for robbing an ATM machine and spend 18 months in jail. When the get out, they decide to pull off "The Big Dirty" which is to steal a large amount of coins because they are untraceable and quit their life of crime forever
-3
Born in British India, Bhagat Singh witnesses numerous atrocities during his childhood and grows up to become one of the most fearless freedom fighters in the country.
1
Anchor Baby is a tale of an illegal immigrant couple from Nigeria on a quest to create a better life for their unborn child. Their dream is to have their baby in the United States in order for the baby to become a US citizen.
0
Climbing aboard their mammoth recreational vehicle for a cross-country road trip to the Colorado Rockies, the Munro family – led by dysfunctional patriarch, Bob – prepares for the adventure of a lifetime. But spending two weeks together in one seriously small space has a way of cramping their style.
0
When a famous Bollywood actor visits a small village for a film's shoot, a lowly hairdressers claim that they were once childhood friends soon makes him the centre of attention.
0
Masha is an energetic three-year-old who can’t seem to keep herself out of trouble. Bear is a warm, fatherly figure that does his best to guide his friend and keep her from harm, often ending up the unintended victim of her misadventures.
1
The story of making "Lagaan," one of the millennium's seminal Indian films, is told from the point of view of production team member Satyajit Bhatkal.
0
Gurukant Desai hails from Idhar, a small village in Gujarat, but dreams of setting up his own business in Mumbai. After he returns from Turkey, he marries Sujatha for getting the dowry and arrives in Mumbai to start his business. This film chronicles the obstacles he meets, his subsequent rise and the huge backlash he receives when it is revealed that he used unethical means to rise in the business circuit.
-1
Golmaal Returns, the much-awaited follow-up to the uproariously comical smash-hit Golmaal, arrives with a renewed star power, chartbusting music and more laughter than ever before!
-1
20 years after his escape from Impel Down, the legendary pirate Shiki, the Golden Lion, reappears causing massive upheaval to the Marines. During his long seclusion, he was able to come up with a scheme to bring the World Government to his knees. On his way to execute the plan, Shiki crosses paths with the Straw Hat Pirates and becomes so impressed with Nami's knowledge of meteorology that he abducts her to forcedly enlist her into his crew. Luffy and the gang end up on a strange land populated with monstrous beasts as they desperately search for Shiki and Nami.
-1
Two buddies and a girl, down on their luck, have their lives changed when one of them discovers a mysterious figurine in an abandoned shrine which, according to legend, bestows seven years of good luck. But no one told them about the next seven years...
2
A depressed wealthy businessman and a spunky and care-free young woman embark on an unexpected journey that changes their lives.
-1
Two best friends being convinced that they are not in love search for each other's love.
3
A story of an island country named Horai that was finally about to be integrated under one political administration. Domon DATE, an innocent man confined in a prison island. After 10 years of imprisonment, he kept his sanity by dreaming of retaliating against those who framed him up. He breaks the prison with the help of a man incarcerated in the deepest corner of the prison island. The man identified himself as Saji. His steady road to revenge was obstructed by a woman named Mikoto, the once fiancée of his. Can Domon get his revenge? Who is the man who identified himself as Saji? What are the hidden thoughts of Mikoto?
-7
Kath & Kim is a character-driven Australian television situation comedy series. The series was created by, and is written by Jane Turner and Gina Riley who play the title characters: a suburban mother and daughter with a dysfunctional relationship. The series main characters consist of Kath Day-Knight, a cheerful 50-year-old woman, her self-indulgent daughter Kim Craig, Kath's boyfriend and second husband, the metrosexual Kel Knight, as well as Kim's estranged husband Brett Craig and her lonely, overweight "second best friend" Sharon Strzelecki. The series is set in the fictional suburb of Fountain Lakes in Melbourne. It is primarily filmed in Patterson Lakes.

The series was conceived by Turner and Riley in the early 1990s as a weekly segment of the Australian comedy series Fast Forward. The skit was then developed into a full-series. The first series of Kath & Kim premiered on ABC TV on 16 May 2002, with three further series following, while a television movie, entitled Da Kath and Kim Code, was broadcast nationally on 25 November 2005. Kath & Kim has garnered much critical acclaim since its debut, winning two Logie Awards, for "Outstanding Comedy Programme" and the "Best Television Drama Series" award at the Australian Film Institute Awards. In Australia, it has become a pop culture phenomenon, and is a success with audiences nationwide. Internationally, the series has spawned a cult fanbase, and in 2006 it was announced an American version of the series would be produced, to air on NBC. Riley and Turner served as executive producers on the US version. The American version was also picked up by Seven, which debuted the program on 12 October 2008, just three days after its debut in the United States.
7
Den-noh Coil, Coil — A Circle of Children, is a Japanese science fiction anime television series depicting a near future where semi-immersive augmented reality technology has just begun to enter the mainstream. The series takes place in the fictional city of Daikoku, a hotbed of AR development with an emerging city-wide virtual infrastructure. It follows a group of children as they use AR glasses to unravel the mysteries of the half real, half Internet city, using a variety of illegal software tools, techniques, and virtual pets to manipulate the digital landscape.

Den-noh Coil, in development for over a decade, is the series director debut of Japanese animator Mitsuo Iso. It premiered on NHK Educational TV on May 12, 2007. Due to the animators involved in its production and its unusually high-profile television broadcast time slot, Den-noh Coil was highly anticipated.
-6
In a country that has been broken down and corupted by poverty, Pablo and Mario are best friends and local thieves. Although they come from very different backgrounds, they help each other out by commiting petty crimes that help Pablo support his family and Mario become independent from his own. In a twist of fate, they become involved in a kidnapping that goes sour. This tragedy triggers and unmasks a series of events that changes their lives forever. Now the two friends will be tested and their lives taken to the limit.
-6
Young Johnny is gung-ho and full of courage. Johnny's brainiac twin sisters, Susan and Mary, use Johnny as their guinea pig for their outrageous scientific experiments. If they can dream it up, Johnny will do it; as long as his genetically engineered super dog, Dukey, can come along.
0
Everything bad that can happen on the way to a party happens to young Tou on this nighttime trip though Beirut.
-1
When his love interest doesn't show up for a meeting, a man and his friends go to Goa in order to find her, where they discover she loves someone else.
2
Three women seek justice due to the difficult daily situation which sexual harassment causes in the streets of Cairo, Egypt.
-2
Boog, a domesticated 900lb. Grizzly bear finds himself stranded in the woods 3 days before Open Season. Forced to rely on Elliot, a fast-talking mule deer, the two form an unlikely friendship and must quickly rally other forest animals if they are to form a rag-tag army against the hunters.
-1
Years after his father disowns his adopted brother for marrying a woman of lower social standing, a young man goes on a mission to reunite his family.
0
Ishaan Awasthi is an eight-year-old whose world is filled with wonders that no one else seems to appreciate. Colours, fish, dogs, and kites don't seem important to the adults, who are much more interested in things like homework, marks, and neatness. Ishaan cannot seem to get anything right in class; he is then sent to boarding school, where his life changes forever.
5
Set in the futuristic Metro City, Astro Boy (Atom) is a young robot with incredible powers created by a brilliant scientist in the image of the son he had lost. Unable to fulfill his creator's expectations, Astro embarks on a journey in search of acceptance, experiencing betrayal and a netherworld of robot gladiators, before returning to save Metro City and reconcile with the father who rejected him.
0
A small-town girl finally realizes her dream of becoming a famous supermodel but soon finds out that there's a price for her glamorous new life.
2
An uptight MBA student falls for the charismatic new neighbor who charms her troubled family – but he has a secret that forces him to push her away.
0
The friendship between fairy princess Holly and Ben Elf in an enchanted magical kingdom of elves and fairies.
2
A collection of animated tales includes shrek's thrilling tales and scared shrekless.
0
The Octonauts is a British children's television series, produced by Silvergate Media for the BBC channel Cbeebies. The series is animated in Ireland by Brown Bag Films but uses British voice actors. The TV series is based on American-Canadian children's books written by Vicki Wong and Michael C. Murphy of Meomi Design Inc.

The Octonauts follows an underwater exploring crew made up of stylized anthropomorphic animals, a team of eight adventurers who live in an undersea base, the Octopod, from where they go on undersea adventures with the help of a fleet of aquatic vehicles.

The subject matter is reminiscent of Star Trek and Thunderbirds blended with Jacques Cousteau. Although it is science fiction as regards its technology, the exotic creatures and locations that the crew encounter are real marine animals in their natural habitats.
1
When Erik Stifler realizes that he's the only Stifler family member who might graduate high school a virgin, he decides to live up to his legacy. After some well-meaning advice from Jim's dad, Erik's ready to take his chances at the annual and infamous Naked Mile race, where his devoted friends and some uninhibited sorority girls will create the most outrageous weekend ever.
-1
Satyaveer is an engineer suspended for allegedly accepting a bribe. However, Satyaveer, proud author of a tawdry and thoroughly unsuccessful crime novel, is approached by a woman named Manorama to investigate her husband, whom she suspects of having an affair.
-3
This documentary follows the evolution of the British sketch comedy troupe that redefined humor and shaped an entire generation of American comics, focusing especially on their conquest of the American comedy scene,
1
After falling head over hooves in love with Giselle, Elliot's road to the altar takes a slight detour when Mr. Weenie is kidnapped by a group of pampered pets determined to return him to his owners.
1
Ricky, Julian and Bubbles are about to get out of jail, and this time, Julian vows to go straight, even open a legit business. Soon the Boys will all be rich. At least that's what they've told the parole board. But when they arrive back at the park, they find it's not the same old Sunnyvale - and it's not the same old Jim Lahey, Trailer Park Supervisor.
1
While on the run from goons, a man and his nephew fall for a kidnapper's seductive widow.
-2
The greatly anticipated follow up to the platinum selling Beyond the Pale. In this Austin performance that capped off the 2008 sold-out stand up tour, Gaffigan does not let the audience catch their breath. This all-new show proves no other comedian working today can romanticize laziness and over-indulgence like Jim Gaffigan.
1
Dinosaur King is a card-based arcade game from Sega that uses the same gameplay mechanics from Mushiking but uses super-powered dinosaurs instead of beetles. The game was revealed in JAMMA 2005 and is available in Japanese and English versions. A Nintendo DS version has also been released in North America.

In the fall of 2008, Upper Deck Company released a Dinosaur King Trading Card Game. This card game is not to be confused with the cards used for the arcade machines.

The series has been adapted into an anime TV series, Ancient Ruler Dinosaur King DKidz Adventure, which is made by Sunrise and premiered on TV Asahi on February 4, 2007. As of 2008, an English adaptation aired on the 4Kids TV block on the Fox Network, but moved to The CW's The CW4Kids block on September 6, 2008.

A sequel was announced called "Ancient Ruler Dinosaur King DKidz Adventure: Pterosaur Legend," which debuted February 3, 2008 in Japan.

The show ended its run in Japan in late 2008.
-1
When legendary treasures from around the world are stolen, including the priceless Pink Panther Diamond, Chief Inspector Dreyfus is forced to assign Inspector Clouseau to a team of international detectives and experts charged with catching the thief and retrieving the stolen artifacts.
1
Roast Pork joins the triad as a young man and ends up becoming a trusted lieutenant of boss Kerosene. However, his true passion is in his successful chain of restaurants, his loving wife, and his two children. So when Kerosene wants to promote his trusted right hand man to the top of the organization as a way to take on his financial debts, it's understandable why Roast Pork would want to refuse. Roast Pork comes up with an intricate scheme with his men that would take himself out of the running, but Kerosene's intervention causes it to fail. When all hopes appears to be lost, lifelong gangster Sparrow is released from jail after serving a 20-year sentence for committing a gang-related murder that earned him a guarantee for the leader spot. However, Sparrow has made his own plans to stay out of the gang, setting off a battle of wits between the two men.
4
Fida tells the story of Jai who one day happen to meet a young and beautiful woman called Neha and he falls in love with her at first sight.
1
Anya's dream turned into a nightmare when she was accused of killing 3 men. For her to regain her freedom she had to share her secret with world. With help of her sister Chioma and an inexperienced attorney Ijé tells the story in a riveting way with an unexpected climatic ending. It's a story that conveys the fusion of the African culture with the American culture in a court room like no other.
-2
A look at the work of two stand-up comics, Jerry Seinfeld and a lesser-known newcomer, detailing the effort and frustration behind putting together a successful act and career while living a life on the road.
0
Hitler no longer believes in himself, and can barely see himself as an equal to even his sheep dog. But to seize the helm of the war he would have to create one of his famous fiery speeches to mobilize the masses. Goebbels therefore brings a Jewish acting teacher Grünbaum and his family from the camps in order to train the leader in rhetoric. Grünbaum is torn, but starts Hitler in his therapy ...
1
It is the story of a fiercely fought election campaign, where money power and corruption are the accepted norms, and where treachery and manipulation are routinely used weapons. As the personal drama of these conflict-ridden characters unfolds against this gritty backdrop, love and friendship become mere baits, and relationships get sacrificed at the altar of political alignments. The darkness that rises from their souls threatens to envelope all that they hold precious. Until eventually, in the crescendo of increasing violence, the line between good and evil blurs, making it impossible to distinguish heroes from villains. Raajneeti is the story of Indian democracy. And its ugly underside. It is about politics. And beyond.
-7
Born in Brooklyn to Palestinian refugee parents, Soraya (Suheir Hammad) decides to journey to the country of her ancestry when she discovers that her grandfather's savings have been frozen in a Jaffa bank account since his 1948 exile. However, she soon finds that her simple plan is a complicated undertaking — one that takes her further from her comfort zone than she'd imagined.
-2
Wake Up Sid! is the story of a lazy Mumbai college student who does absolutely nothing, with a turn of events will Sid realize his potential in this world and become a success in the fast-paced life of Mumbai.
1
Earl Montgomery, a bombastic police academy reject, and Hank Rafferty, a disgraced, mild-mannered cop, can't seem to escape each other. They met on opposite sides of the law during a routine traffic stop that escalated out of control; now as lowly security guards they're thrown together to bust a smuggling operation.
-5
Tom and Hannah have been platonic friends for 10 years. He's a serial dater, while she wants marriage but hasn't found Mr. Right. Just as Tom is starting to think that he is relationship material after all, Hannah gets engaged. When she asks Tom to be her 'maid' of honor, he reluctantly agrees just so he can attempt to stop the wedding and woo her.
2
In 1890s India, an arrogant British commander challenges the harshly taxed residents of Champaner to a high-stakes cricket match.
-2
After she quits her lucrative job, Olivia finds herself unsure about her future and her relationships with her successful and wealthy friends.
2
The squabbling mother and daughter, Kath and Kim, embark on an excursion into the unexplored crannies of life at Lagoon Court, Fountain Lakes.
-1
Carpet dealer and UFO photo forger Arif is abducted by aliens and must outwit the evil commander-in-chief of G.O.R.A., the planet where he is being held.
0
Michael Harding returns home from military school to find his mother happily in love and living with her new boyfriend, David. As the two men get to know each other, Michael becomes more and more suspicious of the man who is always there with a helpful hand. Is he really the man of her dreams or could David be hiding a dark side?
1
Kishanlal marries the beautiful Lachchi, but the day after the wedding, he leaves on business for five years. When Kishanlal reappears only a few days later, Lachchi is delighted, but this new Kishanlal is in fact a spirit who has taken the form of Lachchi's husband, after having seen her by chance and fallen in love with her. Four years later, the real Kishanlal returns and the townsfolk must determine who is who.
2
When a cop's partner is killed in the line of duty, he assumed guardianship of his orphaned children while investigating the murder.
-2
Naruto, Shikamaru, and Sakura are executing their mission of delivering a lost pet to a certain village. However, right in the midst of things, troops led by the mysterious knight, Temujin, attack them. In the violent battle, the three become separated. Temujin challenges Naruto to a fight and at the end of the fierce battle, both fall together from a high cliff...
-4
Follow Yogu and his friends Amalia, Evangelyne, Tristepin, Ruel and Az as they try to rescue the world of Wakfu from destruction.
-1
Dev and Maya are both married to different people. Settled into a life of domestic ritual, and convinced that they are happy in their respective relationships, they still yearn for something deeper and more meaningful, which is precisely what they find in each other.
3
Fresh off the heels of appearing in movies like Superhero Movie and The 40 Year-Old Virgin, fast-talking comedian Kevin Hart stars in this live stand-up performance where he makes fun of everything and everybody - especially himself.
3
A man pursues a woman who is already engaged and eventually gets married to her. Differences between the two lead to a bitter separation that threatens to destroy their relationship forever.
-1
Seeking to offer his son the satisfying summer camp experience that eluded him as a child, the operator of a neighborhood daycare center opens his own camp, only to face financial hardship and stiff competition from a rival camp.
-2
Two straight guys who pretend to be a couple to secure a posh Miami apartment fall for their gorgeous roommate. Hilarity ensures as Kunal and Sameer strive to convince everyone they are a couple while secretly trying to win Neha's heart.
2
When Madea catches sixteen-year-old Jennifer and her two younger brothers looting her home, she decides to take matters into her own hands and delivers the young delinquents to the only relative they have: their aunt April. A heavy-drinking nightclub singer who lives off of Raymond, her married boyfriend, April wants nothing to do with the kids.
-1
Having defeated the best fighters of the Imperial Japanese army in occupied Shanghai, Ip Man and his family settle in post-war Hong Kong. Struggling to make a living, Master Ip opens a kung fu school to bring his celebrated art of Wing Chun to the troubled youth of Hong Kong. His growing reputation soon brings challenges from powerful enemies, including pre-eminent Hung Gar master, Hung Quan.
3
Naruto Uzumaki, Kakashi Hatake, Sakura Haruno, and Rock Lee are assigned to protect the prince of the Land of the Moon, Michiru, during his world trip; other escorts had been hired, but quit due to being treated poorly. The Land of the Moon is a very wealthy nation, so Michiru tends to buy whatever he wants, and has a very materialistic worldview. His Hikaru, also acts in much the same manner.
1
Fun adventures await in the forest named Porong Porong Village where Pororo and friends live. New friends show up in the village and many exciting things happen in the forest. Our playful little gentoo penguin Pororo, naughty spinosaurus Crong, sweet and lovely American beaver Loopy, cheerful and sporty Adélie penguin girl Petty, clever fennec fox Eddy, strong minikaniko Rody, trustworthy polar bear Poby, happy-go-lucky hummingbird Harry, magical dragon wizard Tong-Tong, and a red sedan car Tu-Tu live in this snow-covered wonderland.
9
Leo San Juan, an insecure child of nine years old, lives eternally frightened by horror stories that Nando tells his older brother. Within these stories it is 'The Legend of Nahuala', according to which, an old abandoned Casona is possessed by the spirit of an evil witch known as the Nahuala.
-2
Reincarnated 30 years after being killed in a suspicious on-set fire, a small-time actor is determined to punish the person who ignited the blaze.
-3
Two friends, members of the South Korean military, are recruited by a secret black ops agency.
0
A sixteenth century love story about a marriage of alliance that gave birth to true love between a Mughal emperor and a Rajput princess.
2
Sergeant Tong is wracked with guilt after he unwittingly kills a young girl whilst capuring a criminal named Cheung. When the girl's sister is later kidnapped in a ploy to get Cheung released, Sergeant Tong vows to find and rescue her before she comes to harm.
-5
Three inseparable childhood friends are just out of college. Nothing comes between them - until they each fall in love, and their wildly different approaches to relationships creates tension.
-2
Aditya, Joe, Kedar and Rob form a rock band, but break up after they fail to make a success of it. They establish regular lives until they decide to reunite and take another shot at fulfilling their dreams.
-1
Simran loves love stories, with her ideal job and perfect boyfriend, she lives a blissful and dreamy life. However, things are rudely interrupted by Jay's cynicism on sentimentality.
4
Not wanting the same fate as befell her sisters, Sona Mishra re-locates to Mumbai to try to make a living making movies, but she soon finds that the path she has chosen is not an easy one.
1
Chhota Bheem is an Indian animated series adventures about a boy named Bheem and his friends in fictional village of Dholakpur.Bheem and his friends are usually involved in protecting the village from various evil forces.
-2
A mysterious group of ninjas makes a surprise attack on the Konohagakure, which takes great damage. The nightmare of another Shinobi World War could become a reality. Sasuke, who was still a missing nin from Konoha trying to kill his brother, Itachi, appears for the second time in front of Naruto at an unknown location to prevent it from happening.
-5
Ninjas with bloodline limits begin disappearing in all the countries and blame points toward the fire nation. By Tsunade's order, Kakashi is sacrificed to prevent an all out war. After inheriting charms left by Kakashi, Naruto fights through friends and foes to prevent his death while changing the minds of those who've inherited the will of fire.
-4
The continuing adventures of the barbers at Calvin's Barbershop. Gina, a stylist at the beauty shop next door, is now trying to cut in on his business. Calvin is again struggling to keep his father's shop and traditions alive--this time against urban developers looking to replace mom & pop establishments with name-brand chains. The world changes, but some things never go out of style--from current events and politics to relationships and love, you can still say anything you want at the barbershop.
1
The Japanese forces occupy Shanghai and slowly start spreading terror in the city. Chen Zhen, who was presumed dead, returns to fight against the Japanese and put an end to their tyrannical rule.
-4
An army major goes undercover as a college student. His mission is both professional and personal: to protect his general's daughter from a radical militant, and to find his estranged half-brother.
-1
When the body of the executive of hockey Benoit Brisset is found on the billboard of the border of Quebec and Ontario, the jurisdiction of the crime is shared between the two police forces and detectives David Bouchard from Montreal and Martin Ward from Toronto are assigned to work together. With totally different styles, attitudes and languages.
0
Wealthy construction mogul Sam Ching and cabaret dancer Milan Sit fall madly in love with one another despite the class differences that would keep many couples apart. However, what Sit doesn't know is that Ching is the man responsible for razing a building representing cherished memories from her childhood.
1
Bored with her life and inspired by a friend's wedding, Esra quits her job and dumps her boyfriend, leading to a series of romantic misadventures.
0
Vientos de agua is a 2006 cult Argentine- Spanish mini TV series created by Juan José Campanella. The drama traces a Spaniard's emigration to Argentina in the 1930s, and, years later, his son's return to modern-day Spain.

It aired in Spain in January 2006, on Telecinco for only one series of 13 episodes.

While a hit in Argentina, because of lower ratings in Spain it was taken out of the prime-time slot to 1.00 in morning, and was eventually cancelled due to downloading of series from the internet.

Despite a campaign of support to continue into a second series it only produced 13 episodes. Despite this the series was a hit in DVD sellings.
1
Naruto is thrilled when he is sent on a mission to protect his favorite actress, Yukie Fujikaze, on the set of her new movie, The Adventures of Princess Gale. But when the crew ventures out to film in the icy, foreboding Land of Snow, Yukie mysteriously flees! Naruto and his squad set off to find her... unaware that three Snow Ninja lie in wait, with a sinister purpose that will force Yukie to face her hidden past!
-2
The Qin Empire is a 2009 Chinese television series based on Sun Haohui's novel of the same Chinese title. The 51 episodes long series chronicles the rise of the Qin state in the Warring States period during the reign of Duke Xiao of Qin. It was produced in 2006 and first aired on television channels in China in December 2009.
0
Fated to Love You, also known as You're My Destiny, Sticky Note Girl or Destiny Love, is a 2008 Taiwanese drama starring Joe Chen, Ethan Juan, Baron Chen and Bianca Bai. It was produced by Sanlih E-Television and directed by Chen Ming Zhang with location filming in Taiwan, Hong Kong and Shanghai. It holds the record for the highest average single-episode rating at 10.91 with a peak at 13.64 for episode 20 broadcast on 27 July 2008, and broke the previous record held by The Prince Who Turns Into a Frog.

The series was first broadcast in Taiwan on free-to-air Taiwan Television from 16 March 2008 to 24 August 2008, every Sunday at 22:00 and cable TV Sanlih E-Television from 22 March 2008 to 30 August 2008, every Saturday at 21:00.

Fated to Love You was nominated in 2008 for six awards at the 43rd Golden Bell Awards, Taiwan. It was awarded the 2008 Best Television Series and Best Marketing Programme.

Fated to Love You is now aired on Saturday's on Hawaii's KIKU Television at 8:00.
10
An aimless, jobless, irresponsible grown man joins the army and matures into a battlefield hero.
-2
After a series of deaths in Orbit Park, India, are attributed to a man-eating tiger, wildlife expert Krish and his photographer decide to investigate the incidents for a magazine article.
-1
In 1989, a collective of young hip hop artists gathered at a health food café in South Central Los Angeles. Their mandate? To reject gang culture and expand the musical boundaries of hip hop. DuVernay's documentary chronicles the historic legacy of the Good Life Cafe — the open mic nights that became an L.A. institution, the eclectic array of talented young MCs that emerged there, the alternative hip hop movement they developed, and their worldwide influence on the artform.
1
Sir! No Sir! is a documentary film about the anti-war movement within the ranks of the United States Military during the Vietnam War. It consists in part of interviews with Vietnam veterans explaining the reasons they protested the war or even defected. The film tells the story of how, from the very start of the war, there was resentment within the ranks over the difference between the conflict in Vietnam and the "good wars" that their fathers had fought. Over time, it became apparent that so many were opposed to the war that they could speak of a movement.
-2
Abducted during the Lebanese Civil War and now in his 50s, Ramez is finally a free man. But he returns to society deeply traumatized by the past.
0
InuYasha is a half-demon who was trapped in the Legendary Tree and was set free by Kagome, a girl who traveled 500 years through time. This time, both of them will have to face Menomaru, a Chinese demon whose father, known as Hyoga, came 300 years ago to invade Japan, but was stopped by InuYasha's Father. InuYasha and Kagome, along with Sango, Miroku, Shippou, Kaede and Myoga, will try to stop Menomaru in his becoming the most powerful demon ever.
0
The mysterious island of Houraijima has reappeared after 50 years, and with its reappearance has brought the attack of four gods, the Shitoushin, who have their eyes set on the powers that protect and sustain the island. Now it's up to Inuyasha and his friends, along with Sesshoumaru, to find a way to defeat the powerful Shitoushin.
1
Sang-hwan became a cop in order to help the downtrodden, but he doesn't get much respect. All that changes when he meets the Seven Masters.
2
An ex-convict (Tyrese) gets tangled up with a gang after his car is hijacked with his son inside.
-1
A debt collector receives a call from a woman who is kidnapped by an unknown gang. He thinks it is a joke but soon, he realises that it is not a prank.
-3
A much abused loner achieves success, and even wins the heart of his gorgeous co-worker, after getting early morning mysterious phone calls from someone.
0
A bankrupt soccer team must win the championship or break apart.
-1
The Prince Who Turns Into a Frog is a 2005 Taiwanese drama starring Ming Dow and Sam Wang of boyband 183 Club; and Joe Chen and Joyce Zhao of girl group 7 Flowers, as well as all the members of the former and two members of the latter, who are signed by Jungiery Entertainment. It was produced by Sanlih E-Television and directed by Chen Ming Zhang and Liu Jun Jie.

The series was first broadcast in Taiwan on free-to-air Taiwan Television from 5 June 2005 to 16 October 2005, every Sunday at 21:30 and cable TV Sanlih E-Television from 11 June 2005 to 22 October 2005, every Saturday at 21:00.

Episode seven was broadcast on 17 July 2005, it achieved an average rating of 7.05 and peaked at 8.05, which broke the previous average record of 6.43 held by Meteor Garden and was the highest peak for a single episode for a Taiwanese drama until it was broken by episode 13 of Fated To Love You which peaked at 8.13 in 2008.
0
Natha decides to commit suicide to get the farmers' compensation. However, the media and politicians learn about his intentions and descend on their village to capture the rare event.
-1
Six different stories, about nine people, each with different issues and problems, all occurring within one place: the METRO.
-2
A series of six outrageous one-hour specials showcasing the groundbreaking comedians.
0
A young 15 year old girl, Lamia, lives in a southern Lebanese village on the border with Israel. She is given in marriage to her cousin on the other side of the border. As Lamia crosses the barbed wire she also passes from childhood into adulthood, as brutal as our countries and the events that are to follow.
-1
It tells a story about a free-spirited older couple, Pak Atan and Mak Inom who decide to spend more time in the country after getting tired of city life. But they find that life in the old village isn't a good thing when they get cheated by a distant relative, Yem, out of some money. They cut him off and Yem plots revenge. Meanwhile, in the city, the couple's daughter Orked is being wooed by a young gentleman,
-3
Inuyasha and his brother, Sesshomaru, each inherited a sword from their father after his death. However, their father had a third sword, named Sounga, that he sealed away. Seven hundreds years after his death, Sounga awakens and threatens mankind's very existence. How will the children of the Great Dog Demon stop this unimaginable power?
-3
With their most formidable foe vanquished, Inuyasha and his comrades begin returning to their everyday lives. But their peace is fleeting as another adversary emerges: Kaguya, the self-proclaimed princess from the Moon of Legend, hatches a plot to plunge the world into an eternal night of the full moon. Inuyasha, Kagome, Miroku, Sango and Shippou must reunite to confront the new menace.
-4
When a precious Tibetan bead is stolen by rogue members of the mysterious Gemini Clan, the protectors of the bead enlist the help of some righteous former Gemini Clan members to retrieve the bead and bring the evil disciples to justice.
-2
Two brothers, as different as chalk and cheese, find their lives intertwined when one puts himself in danger via a `get rich quick' scheme and the other finds there is a price on his head.
0
When the Hong Kong government enacts a ban on smoking cigarettes indoors, hard-core smokers are driven outside and a budding romance develops between two co-workers.
0
A recorded live performance of ventriloquist Jeff Dunham portrays a comedian whose revival of an old-fashioned art has made ventriloquism more relevant to modern societal concerns. Starring his six main characters, from Bubba Jay, a Nascar-obsessed hick, to Peanut, a flamboyant gay monkey, Dunham’s puppets have dirty but inoffensive senses of humor that mock the American Dream.
-1
The multi-platinum selling comedian performs his first holiday-themed stand-up special with his friends.
0
In the wake of Israel's 2006 bombardment of Lebanon, a determined woman finds her way into the country convincing a taxi driver to take a risky journey around the scarred region in search of her sister and her son.
-2
A free spirited woman dancer, Kamar, finds herself the lonely wife of a prisoner, Zaid, and away from everything she loves until she returns to the dance, defying societys taboos. At the dance Kamar is confronted with Kais, a Palestinian returnee. Sparks fly between Kamar and Kais, creating more than a passionate, emotional dance for the both of them. Matters become even more complicated when Zaid's sentence is extended. Kamar's life is thrown into turmoil as she becomes increasingly attached to Kais, and caught in the midst of her desire to dance and breaking the family and society taboos of the prisoner's wife's role while life under occupation rages on.
-5
Tito is the second installment in the new-wave Egyptian action movies. After Mafia by Sherif Arafa, which was a breakthrough in Egyptian cinema making, Tarek El-Aryan brings us Tito, the next logical step. Very simply, this movie is about an ex-con who tries to escape his sinful life by starting a new one, but his past comes back to haunt him. The reason, why Tito is better than Mafia is because the script and story line in Tito is more complex, and some of the characters had real depth in them and where fully developed throughout the movie.
0
Ian Montes is a picture of success. Despite being a son of a shipping tycoon, Ian refused to just ride in his father's empire. He built his own real estate company and earned his first million at a very young age. He never looked back since then. Driven by his ambition to become better, if not as good as his father, Ian managed to make it on his own. But behind all the glory is a man yearning for love and recognition.
4
Demons that once almost destroyed the world, are revived by someone. To prevent the world from being destroyed, the demon has to be sealed and the only one who can do it is the shrine maiden Shion from the country of demons, who has two powers; one is sealing demons and the other is predicting the deaths of humans. This time Naruto's mission is to guard Shion, but she predicts Naruto's death. The only way to escape it, is to get away from Shion, which would leave her unguarded, then the demon, whose only goal is to kill Shion will do so, thus meaning the end of the world. Naruto decides to challenge this "prediction of death."
-9
Assigned on a mission to capture Mukade, a missing-nin, Naruto Uzumaki sets out for the once glorious historic ruins of "Ouran", where he pursues and corners the rouge ninja. Mukade's goal is revealed to be a dormant leyline within the ruins; he unleashes the power of the leyline, causing a light to envelop Naruto, sending him into the past, 20 years before the series began. When Naruto awakens, he comes into contact with the Fourth Hokage, Minato Namikaze.
-1
A re-telling of the Alabaster Arc from One Piece (TV). Luffy and his crew come to rescue a land in the midst of a civil war, due to a powerful devil fruit user.
0
A retelling of the Drum Island storyline from the manga. It features Franky, Nico Robin, and the Thousand Sunny, who weren't present in the original version.
0
Las Muñecas De La Mafia is a 2009 Colombian telenovela produced by BE-TV and broadcast by Caracol TV. It's based on Juan Camilo Ferrand and Andres Lopez's book "Las Fantásticas". They also wrote the scripts for the television series. The telenovela will debut soon on the Telefutura Network. Series debuted on May 3, 2010 after the Vecinos finale. The show ended July 2010 in the U.S.

It talks about the story of Brenda, Olivia, Violeta, Renata and Pamela. They get into trouble throughout the series because they get involved with some mafia guys from "El Carmen" in Colombia.They all have sad endings. Pamela immigrates, at the end of the story, to the United States of America to try to get away from trouble and be close to her father, who was a pilot and end up in jail because he was captured by DEA taking cocaine to U.S in a plain, and ends up as a maid but tells Brenda she is happy and having a great life. Olivia ends up in jail for having a fake wedding with a Braulio Bermudez and getting some of his properties. Violeta dies when the two mafia opposite sides were going to end a war that was going on in between them.Renata also dies because she was force by erick, to pay money she owe him, to carry drugs in her stomach to the United States and no one of her loved ones knew because she had no identification on her. Brenda ends up being pregnant by Braulio, she never saw him again, because he was taken to an US jail. This is a very exiting story to see and it shows how easy life is never a good choice, might be nice and easy at the beginning but some day all ends.
3
A shaggy, candy-loving puppy named Dougal along with a group of friends embarks on a dangerous journey in an effort to imprison their oppressor -- the evil ice sorcerer ZeeBad (Zebedee's evil twin). As the world is placed in mortal danger Zeebad who wants to turn the world to ice. Doogal and his friends must recover 3 diamonds that are needed to stop him.
-4
In this pair of adventures, Po tells the story of how masters Thundering Rhino, Storming Ox and Croc met and takes on Shifu's biggest challenge yet.
1
A software engineer arrives in India to serve the nation and invest in the country's welfare. A few corrupt officials and politicians try to stop him while he tries to overcome the obstacles.
-2
Dubai-based criminal don Uday takes it upon himself to try and get his sister Sanjana married - in vain, as no one wants to be associated with a crime family. Uday's associate Sagar Pandey finds a young man, Rajiv, who lives with his maternal uncle and aunt - Dr. and Mrs. Ghunghroo. Through extortion he compels Ghunghroo to accept this matrimonial alliance. But Rajiv has already fallen in love with young woman in South Africa. When the time comes to get Rajiv formally engaged to this woman, he finds out that Sanjana and she are the very same. With no escape from this predicament, the wedding is planned, with hilarious consequences.
-4
An honest cop has to compromise with his principles when he is told to find a scapegoat for a high-profile serial killer case in exchange for a big promotion.
-1
Oscar, a lizard in the middle of the desert, finds himself misadventures wherever he goes.
-1
Three high school students experience the perks and pitfalls of love in director Leste Chen’s sensitive tale of friendship and yearning.
2
Shrek and his pals have a series of adventures.
0
The story takes place in a small town (called Hakkari) in Turkey at the beginning of the 70's. The time has come to bring technology into that small town. The first Television (or called Visiontele by the citizens) arrives and the chaos begins.
-1
A debt-ridden young man attempts suicide, but is rescued only to find that his luck is finally turning.
0
Awara Paagal Deewana ((Hindi: आवारा पागल दीवाना), English: Wayward, Crazy, Insane) is a 2002 Bollywood action comedy directed by Vikram Bhatt. The film's music was composed by Anu Malik, and the lyrics by Sameer. Reduced to a henpecked husband, his dream of making it big and being independent in the USA, Dr. Anmol Acharya is, in short, disillusioned and sad. He is not alone, he has his father-in-law, Manilal in the same leaky boat with him. Then this family has a new neighbor, namely Gulu Gulab Khatri. They find out that he a crime lord from India, and has a price-tag of two crore rupees on his head. Anmol and Manilal's wife want their respective husbands to go to India and arrange to hand-over Khatri, so they can collect the dough. Anmol and Manilal do go to India, but things don't go well as planned, and the hapless duo end up as hostages by Chota Chatri and Yeda Anna, who have orders to kill Khatri, and anyone else who gets in their way.
-9
Upon returning to his industrial hometown, a young man must decide whether to follow his own dreams or acquiesce to his father's plans for his future.
0
A little girl is told by her parents that she is adopted. Determined to find her birth mother, her family eventually agrees to take her to Sri Lanka, where they encounter the militant group known as the Tamil Tigers.
0
The extraordinary story of three Rwandan children who attempt to realize the dream of their life: to attend the opening ceremony of the FIFA World Cup 2010 at Johannesburg.
1
Roshan, an NRI, arrives in Old Delhi with his ailing grandmother and starts to rediscover himself before getting caught in a religious dispute that shakes the once peaceful neighborhood.
-2
Six newly-married, diverse, honeymooning couples face marital bliss and discord, finding out more about themselves, their significant others and life in this happy-go-lucky, quirky drama.
1
A 2009 television documentary series in six parts that covers 40 years of the surreal comedy group Monty Python, from Flying Circus to present day projects such as the musical Spamalot. The series highlights their childhood, schooling and university life, and pre-Python work. The series featured new interviews with surviving members John Cleese, Terry Gilliam, Eric Idle, Terry Jones and Michael Palin, alongside archive interview footage of Graham Chapman and interviews with several associates of the Pythons, including Carol Cleveland, Neil Innes and Chapman's partner David Sherlock, along with commentary from modern comedians.
2
Nalla Sivam and Anbarasu meet under different circumstances and their lives are changed as they take the journey of their life.
0
Maya is the perfect mother. Her life revolves around her three children, Aleya, Ankush, and Anjali. Who thinks nothing much then the world of her. Despite being divorced from her husband, Aman. Maya has ensured that everything runs smoothly in her house, under her watch, and that they continue to remain a happy family unit. However, when Aman introduces his girlfriend, Shreya a career oriented woman, who has a lot to learn about children's, to the family, the situation immediately takes an unexpected turn. When an incident changes their lives drastically, bringing the two women under the same roof, they find themselves putting to test an unusual situation; can two mothers make a home?
0
Santa Claus tries to outrun a gang of knife-wielding youth. It's one of several vignettes of Palestinian life in Israel - in a neighborhood in Nazareth and at Al-Ram checkpoint in East Jerusalem. Most of the stories are droll, some absurd, one is mythic and fanciful; few words are spoken. A man who goes through his mail methodically each morning has a heart attack. His son visits him in hospital. The son regularly meets a woman at Al-Ram; they sit in a car, hands caressing. Once, she defies Israeli guards at the checkpoint; later, Ninja-like, she takes on soldiers at a target range. A red balloon floats free overhead. Neighbors toss garbage over walls. Life goes on until it doesn't.
-3
When the President's only daughter, Liu Xinping, checks into a hospital for her chemotherapy treatment, the head of internal medicine and the head of surgery become core members of the President's medical team. Both men plan to use this opportunity to prove themselves as the best candidate for the position of hospital director. As a result, the two men appoint rival surgeons to attend to Xiuping's surgery.
0
About 500 years ago, the five kingdoms around IIT Dholakpur joined together to end Kirmada`s rule. Now a mysterious force has brought him back from the dead. miss Bheem beat Kirmada & save the kingdom of IIT Dholakpur once again!
-3
In this holiday prequel, it’s 1997 and Sunnyvale Trailer Park is getting ready for the holiday season. Julian’s got a great idea to make money this Christmas, Ricky gets confused between God and Santa, and Bubbles tries to get the Boys together for an annual Christmas bonfire.  Meanwhile, Mr. Lahey is thrilled because Christmas is the only day of the year that his wife Barb allows him to have a few drinks. Directed by series creator Mike Clattenburg, this hour-long special takes place before Jamie was J-Roc, before Randy and Lahey were a couple, and before the Shitmobile was missing a door.
2
A twelve-year-old Malaysian boy's friendship with a sharp-tongued, assertive little girl moves awkwardly and wistfully into first love in this gently comic prequel to Yasmin Ahmad's "Sepet" and "Gubra."
1
A cabbie and businessman both in need of big money partake in a two-hour adventure together.
0
Michael, Arjun and Lallan, three men from three different strata of society, cross paths one morning in Calcutta and change one another's lives forever.
0
Rajiv Mathur decides to go conditionally steady with fellow collegian, Payal, so that be can be permitted to go on an outing. Payal accepts, and accompanies him. During the outing, he gets intoxicated, and attempts to molest her, and she decides to dump him. Thereafter, slighted but not beaten - Rajiv turns on his charms on another beauty - the gorgeous Alisha Sahay. But will she be as permissible as Payal?
3
Booha (Saad), a butcher coming from the countryside to Cairo to find the man whom his late father left his money with, gets tangled in the big city, finds love with kouta (Maie), and gets exploited by Farag (Hosni).
-1
A middle-class father in India struggles through a series of unexpected events for upholding respect and smiles.
0
Sahasra, a struggling singer, attends a party and wakes up after a day without realising it. However, as the days pass, she feels something is amiss after getting chased by men who want to kill her.
-3
Stand-up comic George Lopez uses his childhood experiences growing up Latino in the San Fernando Valley as a platform for nonstop humor. The funnyman takes you on a liberating journey as he hysterically dissects his life growing up in Los Angeles. Reminiscing about the unique quirks in Mexican culture, George tackles such topics as family relationships, insecurities, sexuality, drinking and language.
-1
A talent search competition has matched two hearts - that of Melur, a Malay-mixed girl and an Indian male student, Mahesh. Melur, with her melodious voice, singing whilst playing the piano is one of the seven finalists of the Talentime competition of her school organised by Cikgu Adibah. Likewise Hafiz, enthralling with his vocalist talent while playing the guitar, divides his time between school and mother, who is hospitalised for brain tumor.
2
Five families struggle with the ups and downs of cancer treatment over the course of six years.
-2
When Mostafa arrives to Ukraine, he witnesses the kidnapping of an Egyptian scientist. Eventually he gets involved in rescuing him, in a country he knows nothing about.
0
Taymour and Shafika have grown up together as next door neighbours and are deeply in love. However, their love is put to the test when he is assigned to protect her as her personal body guard when she is promoted to the level of Minister.
3
Ezra, jeune ex-soldat Sierra-Léonais, essaie tant bien que mal de retrouver des repères pour revenir à une vie normale après la guerre civile qui a ravagé son pays. Son quotidien est partagé entre un centre de réhabilitation psychologique et un tribunal de réconciliation nationale organisé sous l'égide de l'ONU. Durant le procès en réhabilitation auquel Ezra participe, il doit affronter sa soeur qui l'accuse du meurtre de leurs parents. Ezra, qui a traversé cette violente guerre civile complètement drogué et alcoolisé, ne se souvient de rien. Ezra reconnaîtra-t-il l'horreur et par ce fait, permettra-t-il à sa soeur et à sa communauté villageoise d'accéder au pardon ?
1
Dare to be square! In a world where "The only good pumpkins are round pumpkins!" SPOOKLEY THE SQUARE PUMPKIN is often teased by the other pumpkins because of his odd shape. Soon, Spookley is befriended by Edgar, Allan and Poe, three hilarious spiders, who convince Spookley that square or not, he has a right to be the "Pick of the Patch" on Halloween. "A square pumpkin the Pick of the Patch?" Not if mean round pumpkins Big Tom and Little Tom can help it. These two bullies tease and taunt Spookley because of his square roots. Encouraged to continue to become the "Pick of the Patch" by kindly Jack the Scarecrow and his bat sidekicks, Boris and Bella, Spookley isn't sure he has what it takes until a mighty storm threatens to destroy the entire patch. As the storm rolls the round pumpkins uncontrollably across the patch towards the raging river, Spookley realizes "it's fine to be round while the weather is fair, but there are times it's better to be a square!"
2
A group of friends are forcibly transported to a village and kept imprisoned, as the village head, who believes that they have helped in his daughter's elopement with her lover.
2
While escaping being forced to present himself for sacrifice to redeem his family, Katkout is discovered by a National Security Agency who find he bears a strong resemblance to Yousef Khoury, the international terrorist. He is then persuaded him to enter a training mission that will allow him to impersonate Yousef Khoury.
2
The Upper Egyptian Khader Hassanein joins the Central Security Forces, he accidentally meets Metwally Al-Zanati on the train, who tells him that he must take the revenge of his father who was killed 20 years ago. Khader realizes that he is the person who Metwally is meant to kill.
-3
A young amnesiac accused of murder seeks to know the truth about himself while he is on the run from the police, searching for the real killer with the help of his friend.
-2
Balakrishnan and Ashok are two childhood friends who lose touch with each other. One of them goes on to become a national figure and the other, a village barber.
-1
A Lebanese boy gets separated from his family during the civil war and ends up in Sweden.
0
Being desperate because he cannot make ends meet and cannot find an apartment to marry his sweetheart, Sultan decides to start working with Dabash, his sweetheart's uncle, in burglary. But his dull-wittedness only causes them trouble.
0
The Ultimatum is a Singaporean Chinese drama which was telecasted on Singapore's free-to-air channel, MediaCorp Channel 8. It made its debut on 27 May 2009 and ended on the date 7 July 2009. This drama serial consists of 30 episodes, and was screened on every weekday night at 9:00 pm.

Being the mid-year Channel 8 blockbuster of 2009, it was the first Channel 8 drama to be fully filmed in HD.

Despite being touted as the 2009 blockbuster of the year and featuring many established actors and actresses like Zoe Tay, Li Nanxing and Fann Wong, the show's reception was lukewarm at best. Many viewers faulted the serial for improbable casting and for a lack of originality in certain parts of the scripting. The series also came under harsh criticism for being overly melodramatic. However, the performance of newcomers such as Jerry Yeo, who played an antagonist for the first time, were widely praised.
-4
When Apollo finds himself surrounded by friends who are beginning to settle down, he is faced with the possibility of finding his true love. It all boils down to one name: Irene. It must be fate then, when he once again sees Irene, his ex-girlfriend from three years ago with whom he had the best memories with. Apollo and Irene were a perfect couple until circumstances led them to fall apart.Now, Irene has no recollection of Apollo, having acquired amnesia shortly after their separation. Apollo sees this as the perfect opportunity to pursue Irene again, and be able to undo all the mistakes he made in the past, by offering Irene the best memories she could ever have.True love is difficult to resist, they learn. Just when they find themselves ready to commit to each other, the pains from the past catch up with them, challenging them to finally own up to the mistakes made and lies said, and eventually realize what it is to forgive and forget.
0
A wife accused of killing her businessman husband asks the young lawyer who defended her to help her find the real killer.
-2
"Ali ileum" open safes talented thief, but even he was talent he was arrested and sentenced to life imprisonment for the murder of security guard, and there recognize the Colonel, "Shawki", and the way the film mafia is recruiting
1
Yaseen is a lawyer who works for senior attorney, Kamaal. When he discovers that Kamal is involved in an illegal business with a tycoon, he gets publicly disbarred and loses his job. His fiance gets abducted to Italy when he tries to redeem himself, so he relentlessly forms a plan to set things right.
0
Jean and Sylvia left France with a stolen diamond to start a new life in South America. They land in Lima to live their passion. But the diamond is not easy to sell. They meet a French couple and hope to sell them the stolen diamond.
0
Mohy Al-Sharqawi is a young man whose grandfather and his uncles form a smuggling gang. As Mohy is a coward who cannot go along with them, he goes to live with his mother and step-father but they send him to China to represent Egypt in a cooking competition which gets him into a lot of troubles
-2
Abila (14) lives in one of the most miserable slums in Africa. His girlfriend Shiku belongs to a different tribe, as the result of which he is not really allowed to fraternize with her. And then one drunken night his father gambles away his own soul.
-2
Omar and Alia are in love and decide to get married , but Omar discovers that her sister Fatima is infamous who works in a bar so he walks away from her, and marries Kismat , while Alia marries her childhood neighbor, but they do not find happiness and events escalate.
2
After losing her family in a suspicious car crash, a woman awakens from a 13-year coma determined to expose the truth about the long-ago tragedy.
-4
Laida Magtalas is a modern-day Belle who works hard to provide for her family while hoping that someday she will meet her prince charming and that they will live happily ever after together. That would-be prince charming is none other than "Miggy", the youngest member of the Montenegro clan — a well established family in the business world. Moony Laida's desire to finally meet Miggy leads her to apply as an Editorial Assistant at his newly launched men’s magazine, "Bachelor". In spite of the fact that a relationship with Miggy may prove to be a long shot, Laida revels working in such close proximity with the man of her dreams.
5
After self-righteous rockstar Johnny Splatter puts a bullet in his own head, only five people are chosen to attend the reading of his will: the manager, the shrink, the guitarist, the lover, and the groupie. Will they get what they came for, or what Splatter thinks they deserve?
0
Frank & Cindy is a deeply personal documentary about Frank Garcia, an '80s one-hit wonder musician, and his blonde bombshell wife Cindy, who makes him live in the basement.
1
Gordon brags that he's the fastest engine, but gets a surprise when Thomas' cargo, a jet engine, is activated as it's loaded and causes him to shoot down the railway at higher speed than anything either has seen.
1
Mansour El-Hefny’s wealthy family rule an Upper Egyptian island. Some police officers facilite their arms dealing in exchange for information, and corrupt parliament members use their immunity to par-take in their drug trade.
0
After 15 years in France, Kamal returns to his native Beirut and reassembles his dance crew, striving to modernize traditional Dabke routines.
1
Occupied Palestine: A serene landscape now pockmarked by military checkpoints. When a Palestinian film crew decides to avert a closed checkpoint by taking a remote side road, the political landscape unravels, and the passengers are slowly taken apart by the mundane brutality of military occupation.
-2
Is the story of four friends: Natalia, Angélica, Vicky and Sara. The four of them live together and try to live together despite having their differences. They all support Natalia's dream. Natalia is a 25-year-old young woman, recently graduated from her cooking studies, who dreams of setting up her own restaurant, and wants her friends to be her partners and that her best friend Andrés also be the administrator. However, despite her dreams, Natalia has had very bad luck in her relationships. Her last boyfriend Federico was cheating on her and leaves her to marry another woman. However, she does not suspect that her best friend Andrés is secretly in love with her and tries to win her over and change her perception of men.
3
While covering a story in New York City, a Seattle-based reporter uncovers a link between two missing women that changes her lead entirely. Now, with her editor breathing down her neck, she works with her friend and a local art dealer to turn in the headline of her career, a task that takes them precariously close to danger.
0
Heema finds out that he has a brother. He accepts him in his life because he needs him to paint an exact copy of an expensive painting , that he plans to steal and smuggle to Thailand.
-2
This heartfelt documentary from award-winning filmmaker Mai Masri explores the enduring friendship that evolves between two Palestinian girls—Mona, who was born and raised in the economically marginalized Shatila refugee camp in Beirut, and Manar, who lives in the Dheisha refugee camp under Israeli control.  The two girls begin their friendship as penpals, sharing the similarities and differences of life in the two refugee camps. Mona and Manar are finally able to meet face-to-face at the Lebanese-Israeli border during Israel's withdrawal from South Lebanon. But when the second intifada suddenly erupts around them shortly thereafter, both girls must face heart-breaking changes in their lives.
1
Fayez discovers a code sheet that his grandfather left to him before he was killed, of a treasure map in Jerusalem, drawn by the Jews fleeing to Egypt. He goes on an adventure with his friends, Ismail and Bedair, to search for the map hidden in an archaeological temple in Luxor.
-1
When Khaled and Ahmed are unable to find a job, they decide to run a scam on elderly female tourists to get their money in Hurghada. But when they meet two girls who capture their hearts, they turn their lives around and participate in a tourist project.
-2
Detective Hu Xiaoman meets low level criminal Da Bao during an investigation of a missing heiress. Inspite of being on opposite sides of the law, the two work together to solve cases.
0
Batta and Wezza are two siblings living with their aunt Faransa at a local neighborhood as the latter works as a hired mourner. Batta accepts to pursue the same career as her aunt, under one condition: to keep Wezza away from all the mourning and the weeping and let her continue her studies.
0
Chicagoan Frank Gallagher is the proud single dad of six smart, industrious, independent kids, who without him would be... perhaps better off. When Frank's not at the bar spending what little money they have, he's passed out on the floor. But the kids have found ways to grow up in spite of him. They may not be like any family you know, but they make no apologies for being exactly who they are.
4
Drama following the lives of a group of midwives working in the poverty-stricken East End of London during the 1950s, based on the best-selling memoirs of Jennifer Worth.
2
Every year in the ruins of what was once North America, the nation of Panem forces each of its twelve districts to send a teenage boy and girl to compete in the Hunger Games.  Part twisted entertainment, part government intimidation tactic, the Hunger Games are a nationally televised event in which “Tributes” must fight with one another until one survivor remains.  Pitted against highly-trained Tributes who have prepared for these Games their entire lives, Katniss is forced to rely upon her sharp instincts as well as the mentorship of drunken former victor Haymitch Abernathy.  If she’s ever to return home to District 12, Katniss must make impossible choices in the arena that weigh survival against humanity and life against love. The world will be watching.
0
Jessica Day is an offbeat and adorable girl in her late 20s who, after a bad breakup, moves in with three single guys. Goofy, positive, vulnerable and honest to a fault, Jess has faith in people, even when she shouldn't. Although she's dorky and awkward, she's comfortable in her own skin. More prone to friendships with women, she's not used to hanging with the boys—especially at home.
-1
Spoiled billionaire playboy Oliver Queen is missing and presumed dead when his yacht is lost at sea. He returns five years later a changed man, determined to clean up the city as a hooded vigilante armed with a bow.
-2
When Bond's latest assignment goes gravely wrong, agents around the world are exposed and MI6 headquarters is attacked. While M faces challenges to her authority and position from Gareth Mallory, the new Chairman of the Intelligence and Security Committee, it's up to Bond, aided only by field agent Eve, to locate the mastermind behind the attack.
-2
Key & Peele is an American sketch comedy television show. It stars Keegan-Michael Key and Jordan Peele, both former cast members of MADtv. Each episode of the show consists of several pre-taped sketches starring the two actors, introduced by Key and Peele in front of a live studio audience.
0
A Wyoming sheriff rebuilds his life and career following the death of his wife. Based on the “Walt Longmire” series of mystery novels written by best-selling author Craig Johnson.
-1
In high school, Schmidt was a dork and Jenko was the popular jock. After graduation, both of them joined the police force and ended up as partners riding bicycles in the city park. Since they are young and look like high school students, they are assigned to an undercover unit to infiltrate a drug ring that is supplying high school students synthetic drugs.
2
Twelve-year-old Gon Freecss one day discovers that the father he had always been told was dead was alive. His Father, Ging, is a Hunter — a member of society's elite with a license to go anywhere or do almost anything. Gon, determined to follow in his father's footsteps, decides to take the Hunter Examination and eventually find his father to prove himself as a Hunter in his own right. But on the way, he learns that there is more to becoming a Hunter than previously thought, and the challenges that he must face are considered the toughest in the world.
2
Pete and Debbie are both about to turn 40, their kids hate each other, both of their businesses are failing, they're on the verge of losing their house, and their relationship is threatening to fall apart.
-5
Avatar Korra, a headstrong, rebellious, feisty young woman who continually challenges and breaks with tradition, is on her quest to become a fully realized Avatar. In this story, the Avatar struggles to find balance within herself.
-2
Obstetrician/gynecologist Mindy Lahiri tries to balance her personal and professional life, surrounded by quirky co-workers in a small medical practice in New York City.
0
An adaptation of the successful stage musical based on Victor Hugo's classic novel set in 19th-century France, in which a paroled prisoner named Jean Valjean seeks redemption.
2
The Teenage Mutant Ninja Turtles are back in an all-new animated series on Nickelodeon! Surfacing topside for the first time on their fifteenth birthday, the titular turtles, Leonardo, Michelangelo, Raphael and Donatello, find that life out of the sewers isn't exactly what they thought it would be. Now the turtles must work together as a team to take on new enemies that arise to take over New York City.
0
Celia and Alan are both widowed and in their seventies. When their respective grandsons put their details on Facebook, they rediscover a passionate relationship that started over sixty years ago.
1
The Hangover crew heads to Thailand for Stu's wedding. After the disaster of a bachelor party in Las Vegas last year, Stu is playing it safe with a mellow pre-wedding brunch. However, nothing goes as planned and Bangkok is the perfect setting for another adventure with the rowdy group.
1
When Rango, a lost family pet, accidentally winds up in the gritty, gun-slinging town of Dirt, the less-than-courageous lizard suddenly finds he stands out. Welcomed as the last hope the town has been waiting for, new Sheriff Rango is forced to play his new role to the hilt.
-3
Follow the intergenerational feud between the Joestar Family and various forces of evil, the most prominent of which is Dio Brando and his followers.
0
In the near future, a Virtual Reality Massive Multiplayer Online Role-Playing Game (VRMMORPG) called Sword Art Online has been released where players control their avatars with their bodies using a piece of technology called Nerve Gear. One day, players discover they cannot log out, as the game creator is holding them captive unless they reach the 100th floor of the game's tower and defeat the final boss. However, if they die in the game, they die in real life. Their struggle for survival starts now...
-1
A spinoff of 'The Great British Bake Off', this show features children aged 9-13 competing to be ‘Junior Bake Off’ Champion by taking part in a series of Technical Bakes and Showstopper Challenges using their own original recipes
2
After years of blood, sweat and tears, a woman of humble origin ends up becoming a drug trafficking legend, with all that that means...
1
After Frank The Fixer Tagliano testifies against his Mafia boss in New York, he enters the Witness Protection Program and makes an unusual demand: he wants to be set up with a new life in the Norwegian small town of Lillehammer or as he calls it, Lilyhammer.
0
When the fate of their world, Ninjago, is challenged by great threats, it's up to the ninja: Kai, Jay, Cole, Zane, Lloyd and Nya to save the world.
0
Jerry takes his comedy pals out for coffee in a selection of his classic automobiles. Larry David sums it up best when he says, 'You've finally made a show about nothing.'
2
A thrilling and raw crime drama following a gang of drug dealers in Hackney, London - an honest and gripping rendition of inner-city drug and gang culture.
1
Independent, outspoken and adored by her students, private school teacher Rita fares less well with adults.
2
Jaci van Jaarsveld will do everything in her power to stop the advertising company where she works to be taken over by a ruthless businessman known as 'The Jackal'. Her only hope for a big contract to save their company is a wine estate that markets wines to international markets. Easier said than done, especially if the winegrower requires the person to promote his wine to be in an established relationship. In desperation Jaci decided to hire a model pretending to be her fiance. She took the first attractive man walking through their offices send by the modeling agency. Everything seems to be going smooth with the meeting with the winegrower until he invites Jaci and her fiance to visit the winery for the weekend and to compete against their opposition for the contract. And who is the opposition? Jaci's ex-fiance, Mark Rossouw. Just when Jaci think she’s in full control she realized that her ‘fiance’, JP, is the very 'Jackal' who tried to sink their company.
-1
Pot growers Ben and Chon face off against the Mexican drug cartel who kidnapped their shared girlfriend.
0
Office Girls, is a 2011 Taiwanese drama starring Roy Chiu, Alice Ko, James Wen, Tia/Keiko, and Patrick Lee. It started filming in July 2011.

It was first broadcast in Taiwan on free-to-air Taiwan Television every Sunday at 22:00 from 21 August 2011, and cable TV SET Metro every Saturday at 22:00 from 28 August 2011.
0
An ex-cop turned con threatens to jump to his death from a Manhattan hotel rooftop. The NYPD dispatch a female police psychologist to talk him down. However, unbeknownst to the police on the scene, the suicide attempt is a cover for the biggest diamond heist ever pulled.
-2
A man awakens from a coma, only to discover that someone has taken on his identity and that no one, (not even his wife), believes him. With the help of a young woman, he sets out to prove who he is.
0
Nani is a flower decorator, madly in love with his neighbor Bindhu. He gets killed by the baddie, Sudeep, a powerful businessman. Nani comes back as a housefly to get his revenge.
-1
The Autobots continue to work for NEST, now no longer in secret. But after discovering a strange artifact during a mission in Chernobyl, it becomes apparent to Optimus Prime that the United States government has been less than forthright with them.
0
Based on actual events that took place at Gwangju Inhwa School for the hearing-impaired, where young deaf students were the victims of repeated sexual assaults by faculty members over a period of five years in the early 2000s.
-2
The Umbrella Corporation’s deadly T-virus continues to ravage the Earth, transforming the global population into legions of the flesh eating Undead. The human race’s last and only hope, Alice, awakens in the heart of Umbrella’s most clandestine operations facility and unveils more of her mysterious past as she delves further into the complex. Without a safe haven, Alice continues to hunt those responsible for the outbreak; a chase that takes her from Tokyo to New York, Washington, D.C. and Moscow, culminating in a mind-blowing revelation that will force her to rethink everything that she once thought to be true. Aided by new found allies and familiar friends, Alice must fight to survive long enough to escape a hostile world on the brink of oblivion. The countdown has begun.
-2
Mauricio, a lifeguard on a Chilean beach, considers himself to be a model of efficiency and professionalism. His colleagues, however, think otherwise, and speculate on why he never goes into the water. Maite Alberdi's visually gorgeous feature documentary debut has the intensity of a short story; beginning as a quirky character study of lifeguards and beachgoers, it becomes something altogether darker and more shocking when events take a dramatic turn.
-1
Hunter, author, cook and conservationist Steven Rinella treks into the world's most remote, beautiful regions, bringing game meat from field to table.
1
In an alternate New York City protected by a band of superheroes called NEXT, veteran Wild Tiger is forced to team up with rookie Barnaby Brooks Jr.
-1
Two fledgling criminals kidnap a pizza delivery guy, strap a bomb to his chest, and advise him that he has mere hours to rob a bank or else...
-2
A team of specialized Autobots not quite ready for prime-time battles against the Decepticons is given a vital mission by Optimus Prime. The goal for the Bots is to learn about mankind and how to help others to find out what it really means to be a hero.
2
Michael, a neurotic young man, sees his therapist David twice a week. David views Michael as an ideal guinea pig for the experimental psychiatric techniques he hopes will turn him into a bestselling pop psychology writer.
-1
Humans live in the world of Assiah, demons in Gehenna. The two dimensions are not meant to interfere with each other, but demons still possess creatures in Assiah in spite of this. The humans who can fight these demons are known as exorcists. Rin Okumura is a boy who bears the curse of being Satan's illegitimate son. His foster father sacrificed himself to save him from demons. To avenge his foster father's death as well as to prove himself, Rin decides to follow the path of an exorcist and defeat his own father, Satan. To hone his raw skills, Rin enters True Cross Academy to train with other exorcist candidates.
-8
In a world connected by YouTube, iTunes, and Facebook, Lola and her friends navigate the peer pressures of high school romance and friendship while dodging their sometimes overbearing and confused parents. When Lola's mom, Anne, "accidentally" reads her teenage daughter's racy journal, she realizes just how wide their communication gap has grown.
-3
Mid-air difficulties force a Nigerian commercial plane into an emergency landing with devastating consequences.
-3
What happens after the world ends?  This show explores the aftermath of infidelity on a gay couple in Silver Lake, CA.
0
"What's Wrong with People?" asks Sebastian Maniscalco, as he hilariously tries to bridge the Italian-American Old World he grew up in with the contemporary frenetic world we all live in today.
-2
Cuckoo is every parent's worst nightmare - a slacker full of outlandish, New Age ideas. Ken is the over-protective father of a girl who's impulsively married an American hippie on her gap year.
-3
In the story, Kagami Taiga has just enrolled into Seirin High School when he meets Kuroko Tetsuya of the school's basketball team. Kuroko happens to be the shadowy sixth member of the legendary Generation of Miracles basketball team. Together, Kagami and Kuroko aim to take their team to the inter-high school championship - against Kuroko's former teammates.
1
Eight years after the third film, the OSS has become the world's top spy agency, while the Spy Kids department has since become defunct. A retired spy Marissa is thrown back into the action along with her stepchildren when a maniacal Timekeeper attempts to take over the world. In order to save the world, Rebecca and Cecil must team up with their hated stepmother. Carmen and Juni have since also grown up and will provide gadgets to them.
-2
Learning of a fortune in gold being secretly shipped to Romania, master thieves Charlie and Riya assemble a crack team to steal it.
1
In 1868, after the Bakumatsu war ends, the ex-assassin Kenshin Himura traverses Japan with an inverted sword, to defend the needy without killing.
-2
A former high-ranking financial executive finds redemption and romance when he's paroled after a prison sentence and becomes a math teacher.
0
Mwas, a young aspiring actor from upcountry Kenya dreams of becoming an accomplished actor one day, and in pursuit of this, he makes his way to Nairobi, the city of opportunity. He quickly understands why Nairobi is nicknamed Nairrobery as he is bereaved of all his money and belongings and left alone in a city where he doesn’t know a soul. Luck or the lack of it brings Mwas face to face with the city’s criminals and forms a friendship with a small time crook who takes him in. He is quickly drawn into a world of crime as he struggles to pursue his dream of becoming an actor. Keeping the two worlds separate proves to be a challenge for Mwas as he steps into this unknown world called Nairobi.
-4
In Jeddah, Saudi Arabia, a young aspiring filmmaker and his circle of friends grapple with family expectations, gender roles, romance and rivalry.
-2
Three young people learn that love can neither be defined nor contained by society's definition of normal and abnormal.
0
Notoriously press and camera-shy, David Geffen reveals himself for the first time in this unflinching portrait of a complex and compelling man. His far-reaching influence - as an agent and manager, record industry mogul, Hollywood and Broadway producer, and billionaire philanthropist - has helped shape American popular culture for the past four decades. This documentary offers a rare insight into the world of the man responsible for launching the early successes of Joni Mitchell, Tom Cruise, and Guns N’ Roses; co-founded DreamWorks; produced Cats and Dreamgirls;  and is one of the largest contributors to the fight against AIDS. (SBS AU)  Geffen narrates his unorthodox rise from working class Brooklyn boy to billionaire entertainment power broker in extensive interviews.  American Masters explores the highs and the lows in Geffen’s professional and personal life through more than 50 new interviews with his friends, colleagues and clients, as well as other media luminaries. (PBS)
2
After a series of bomb blasts in Mumbai, ACP Karan Malhotra announces that he will bring in the culprits responsible within a very short period of time as well attempts to convince his college sweetheart, Tanya P. Nath, to marry him. He then sets about interrogating several suspects so much so that an underworld gangster, Kabir, is compelled to hire an assassin to do away with him. The potential killer, Viju, is an uptight older ex-convict as well as a former gangster, who now runs a pub in Paris, and is willing to kill Karan. As he sets about this gruesome task, he comes across an old flame, Kamini, as well as his estranged wife, Sita - and it is these encounters that may well be the turning point in this life that may convince him to leave the bombs and Bandooks behind and spend the rest of his life praying and watching the Bhakti Channel.
-5
Pablo is a man with a natural ability for business. Early in his life, Pablo is introduced to the business of cocaine and the power it yields. A young life of crime lands Pablo in and out of jail as he builds is criminal empire. Pablo expands his power through politics but it is not long before his conflicts as a Congressman and a drug lord collide. Pablo has his enemies executed, but not before the United States activates its own war on the Medellin cartel.
-4
Three friends who were inseparable in childhood decide to go on a three-week-long bachelor road trip to Spain, in order to re-establish their bond and explore thrilling adventures, before one of them gets married. What will they learn of themselves and each other during the adventure?
1
Betrothed while in utero, a resort group president enters into an arranged marriage with a legal assistant. Despite their bickering, love blooms.
1
A small-time thug comes across a young girl who claims him to be her father, following which he realizes he has a lookalike who's being hunted by goons.
-2
This story is about the flow of fate and the battle to keep the world on the right path. Aladdin is a boy who has set out to explore the world after being trapped in a room for most of his life. His best friend is a flute with a djinn in it named Ugo. Soon enough, Aladdin discovers he is a Magi, a magician who chooses kings, and he was born to choose kings who will follow the righteous path, battling against those who want to destroy fate. Follow his adventures as he meets others from 1001 Arabian Nights, like Ali Baba and Sinbad, and fights to keep the balance of world in check!
3
In Big Time Movie, the guys must tap their inner spy as their adventure finds them driving exotic cars and jumping out of helicopters, while trying to make it to their first world tour concert on time. Hot on their trail are evil henchmen named Maxwell, British secret agents and Swedish spies as well as billionaire businessman, Sir Atticus Moon who wants back his precious device code named: “The Beetle,” an anti-gravitational device with enormous power.  Once they learn they’re carrying this precious cargo, the guys get pulled into a madcap mission throughout London, which threatens the onset of their world tour.  With the help of teen spy Penny Lane, the guys set out to save Penny’s father MI6 Agent Simon Lane and stop Sir Atticus Moon’s plot to use “The Beetle” to gain world domination.
3
After declaring that he's going to film himself committing suicide for a school project, Archie videotapes his surprising interactions with worried family members, interested classmates, unreliable medical experts and the hottest girl in school.
-2
As a director and his crew shoot a controversial film about Christopher Columbus in Cochabamba, Bolivia, local people rise up against plans to privatize the water supply.
-1
Arun is a reclusive and lonely modern art painter. Shai is an American banker who is on a visit to Mumbai. Munna is a washerboy also living near Arun and Yasmin. The movie is about these four characters from different class of society and how the lives of four characters are intertwined.
0
Funnyman Jim Gaffigan offers up his unique take on everything from Disney World to overweight whales in this live show from Washington, D.C.
-1
Petra heads to New York in search of her older sister after a long time of being separated. They are both movie actresses and heirs of the wounds of the Brazilian dictatorship. But Petra has only a few clues: home movies, newspaper clippings, a diary...
-1
In the years after the Revolution, China broken up into fiefdoms held by warlords, who are busy fighting each other. One warlord has imprisoned a girl and wants her to be his seventh wife, but he's too honorable to force her. The local revolutionaries wants to kill him and bring back the republic. But when a stranger returns from abroad with mastery of magic to recover the girl he loved, who is tricking whom and who will win at the end?
4
Kath & Kim turn more than just heads when they go on an overseas trip and end up being the centre of their very own fairytale.
0
Love You, is a 2011 Taiwanese drama starring Joseph Chang, Rainie Yang, Kingone Wang, Tiffany Hsu, Alien Huang and Tom Price. It is the second installment of the Fated to Love You trilogy. It started filming in January 2011 and wrapped on 30 April.

It was first broadcast in Taiwan on free-to-air Taiwan Television from 17 April 2011, every Sunday at 22:00 and cable TV SET Metro from 23 April 2011, every Saturday at 21:00.

Love You was nominated in 2011 for four awards at the 46th Golden Bell Awards, including Best Leading Actor in a Television Series for Joseph Chang, Best Directing for a Television Series for Ming-chang Chen and Best Television Series.
10
Zephyr, now known as Z, rides the seas with only one goal: Destroy all pirates and their dreams at becoming King of Pirates. When Luffy and his crew encounter him at sea, not only are they utterly defeated by the man with an arm made of Seastone, Nami, Robin, and Chopper are turned 10 years younger due to Z's minion Ain. Luffy is so determined to win against him that he does not even notice Z's master plan that could sacrifice thousands of lives.
1
Meenakshi, a Marathi gal with an ultra-sensitive sense of smell, lives her life in her dreams, dancing and enacting her favourite actresses Sridevi, Madhuri and Juhi. Not believing in arranged marriages, Meenakshi awaits her prince when she comes across Tamil artist Surya, to whom she is strangely attracted to.
-2
Stand-up comedian John Mulaney tackles such red-hot topics as quicksand, Motown singers and an elderly man he once met in a bathroom.
0
Jeff Dunham is back in his fourth concert event, with all-new material. All the favorites are here: Walter, the grumpy retiree; furry and manic Peanut; Jose Jalapeño, the spicy pepper from south of the border; plus bumbling skeletal Achmed the Dead Terrorist. Dunham is also joined by two never-before-seen characters certain to unleash their own unique havoc on stage.
-4
The series is set as a reality TV-esque show following Barbie, her sisters and her friends in the day-to-day activities that take place in the Dreamhouse and surrounding areas. Much of the humor in the show derives from parodying and lampooning both the traditional reality TV format and the Barbie franchise itself.
1
In a story of interconnected lives, three families of different religious faiths navigate conflicting beliefs, hardships, and other struggles.
-2
Stand-up comedian and ventriloquist Jeff Dunham. Enter the ultimate hunted house where Walter transforms into something grumpier than he already is! Watch Bubba J. rise from the dead! Meet Peanut's alter ego, The Purple Venger of the Night, and his spicy sidekick! and witness Achmed litterally dressed to kill in an outfit terrify the most terrifying terrorist!
-3
After his capture for attempted assassination of the Raikage, leader of Kumogakure, as well as killing Jōnin from Kirigakure and Iwagakure, Naruto is imprisoned in Hōzukijou: A criminal containment facility known as the Blood Prison. Mui, the castle master, uses the ultimate imprisonment technique to steal power from the prisoners, which is when Naruto notices his life has been targeted. Thus begins the battle to uncover the truth behind the mysterious murders and prove Naruto's innocence.
-6
Having conquered the Asian underworld, crime boss Don sets in motion a plan that will give him dominion over Europe.
-1
Paan Singh Tomar goes from celebrated runner to star brigand and rebel when life after sports fails to unfold as planned.
0
A gang of innocent but feisty kids who lead carefree lives in Chandan Nagar colony, take on the big bad world of politics when one of their friend's life is endangered.
2
Akin and Mary meet for the first time at an airport where they accidentally bump into each other and mistakenly swap their identical phones . This leads to a destination mix up after they receive one another's text regarding a travel destination. Consequently, Akin ends up traveling to where Mary is supposed to go and vice versa. Neither knows about the swap until they have reached their opposite destinations and "the phone" stops ringing (In Mary's case) and "Won't stop ringing" (In Akins's case) . As a result of the phone swap, they agree to help carry out each other's missions, armed with the information and data on each other's phone. But it's not as easy as they both think as new obstacles and complications rise at every turn as they both struggle to adapt to their alien environment and situation. Mary has to walk in Akins shoes and represent him in a company meeting while Akin has to represent Mary in her the family meeting. This they do with hilarious results
-3
Set against the backdrop of a high school football season, Dan Lindsay and T.J. Martin’s documentary UNDEFEATED is an intimate chronicle of three underprivileged student-athletes from inner-city Memphis and the volunteer coach trying to help them beat the odds on and off the field.  For players and coaches alike, the season will be not only about winning games — it will be about how they grapple with the unforeseeable events that are part of football and part of life.
1
Susanna is hungry for love and will go to any extent to find it in its purest form. In her quest for the perfect man, she gets married a number of times as each of her husband's die mysteriously.
0
A cop, investigating the mysterious death of a filmstar, meets a sex-worker, while he faces some personal problems psychologically. The mystery connects these people in a way, that ultimately changes their lives.
-4
Nishant starts dating Charu while his roommates Rajat and Vikrant already have girlfriends in Neha and Rhea respectively. Trouble starts when the guys feel that their girlfriends are dominating them.
-1
An original twist on an eternal triangle, where secret crush and unrequited love take on altogether newfangled meanings of their own.
-1
Fang Zhen Dong is a patrolling officer in Beijing who one night meets the drunk Li Pei Ru while singing karaoke at the KTV place. Li Pei Ru is a real estate agent from Hong Kong who has vowed to make her fortune in the cosmoplitan Beijing, but is caught up in the complexities of life and ends up becoming a mistress of a married man.
-1
Five substance-abusing friends decide to fake a kidnapping in order to bribe a police constable for covering-up a hit-and-run accident.
-1
Jump in the cab with some of the men and women behind the wheel of monster road trains and reveals what life is really like on the wide-open road. Highly dramatic, often humorous, Outback Truckers reveals the true blue heart and soul of Aussie trucking.
1
Four strangers are invited by the reclusive Kabir Malhotra, to his private island of Samos, Greece. They don't know each other and they don't know him ... and by the next morning they will wish they had never come.
-1
In South Africa, a young man living with his wife becomes embroiled in an illegal diamond business and with time finds his life changing.
-2
Three unsuspecting, average guys find themselves on the hit list of one of India's most-powerful crime syndicates.
-2
Masha, it turns out, loves to tell stories! And she tells them, as would any child with creativity, a little in her own way - because children see the world, not as we, adults.
1
Rahul and Riana meet each other for the first time, get drunk, and awake the next morning to find that they have gotten legally married to each other.
-1
A little boy thinks of nothing but cricket. His father, Rusy, thinks of nothing but his little boy. To fulfill his sons dream of playing at Lords cricket ground, the honest and upright Rusy takes a reckless step. He borrows a gleaming red Ferrari. Just for one hour. The only trouble-- he doesnt inform the cars legendary owner. A wild, breathless, bumpy ride begins. A naive Rusy must dodge bullets and bouncers for one unforgettable night, and play the role of a perfect father. Can he do it?  Ferrari Ki Sawaari is a fun-filled story of small guys and their big dreams and how these dreams turn into a mad comedy of errors.  Fasten your seatbelts. The joyride awaits
-3
Gruff retiree Rene rejects most human contact, but begins to soften once he comes to terms with his homosexuality.
-2
A shopkeeper takes God to court when his shop is destroyed by an earthquake.
0
Love, Now is a 72 episode Taiwanese idol romance drama television series created and developed by SETTV. It stars Annie Chen, George Hu as the main leads and Bobby Dou, Harry Chang from Taiwanese band Da Mouth and Vivi Lee as the supporting leads. The drama is set to debut on SETTV and ETTV on 31 October 2012. It ended its last episode on 5 March 2013 with 72 episodes
5
Cartoon showing toddlers important life lessons while teaching them that police, fire, and rescue are good people and just want to help others. Cars transform during the show to be useful and help others.
3
The true story of model Jessica Lall who was shot dead in a restaurant and the campaign to bring her killer to justice.
-2
Looking for adventure? Then come along as Justin and his imaginary pals Olive and Squidgy star in the biggest stories of all time. Justin’s imagination catapults him into larger-than-life adventures all around the world!
-1
Furniture supplier Ram is happily married to Charmaine. One day, Ram lands a big client, a new luxury resort. But he needs the help of Kara, the daughter of the owner of the resort, to finalize the deal. Kara's help, however, comes with a price, because she fancies Ram to be her lover. Not before long, Kara successfully seduces Ram, even though she knows about his marriage. When Charmaine learns of the affair, she finds ways to fight for her husband's waning attention.
4
Two curious worms spend their days investigating the otherworldly objects that fall through the grate into their subterranean world.
-3
Candy, a fairy from Märchenland follows the shining light that leads to the five legendary PreCure warriors in order to fight Bad End Kingdom villains who are trying to vanquish the entire world to the “Worst Ending.
0
Set on an alternative Earth, Superheroes are celebrities and a high rating TV show rates their achievements, awarding them points until an annual King of Heroes is crowned. Old-school hero Wild Tiger is assigned a new partner with very different views on the heroes role in society but soon a vigilante criminal presents them with a serious problem.
1
Ma Fuya is a princess of the Chu state in 10th-century imperial China during the Five Dynasties and Ten Kingdoms period. In this time of warring kingdoms and political upheaval, Fuya's uncle usurps the throne and brutally kills her father. Ma Fuya is left an orphan, and she escapes with the help of a eunuch. She also falls in love with Meng Qiyou, the Prince of Later Shu. He instead uses her as a political tool, and he brings her back into his kingdom. Many of his brothers are attracted to her, such as Meng Qixing and Meng Qiyun. Due to her resemblance as Meng Qiyun's mother, the Emperor also falls in love with her. Ma Fuya is forced to marry the Emperor, but the procession is interrupted by Liu Liancheng.
-4
Romantic comedy following four couples who meet through a dating website. Four men go on a heroic mission to help four women and wind up experiencing a series of mishaps.
1
The In-Laws is a Singaporean Chinese drama which was telecasted on Singapore's free-to-air channel, MediaCorp Channel 8. It made its debut on 12 April 2011 and will end on 30 May 2011. This drama serial consists of 35 episodes, and was screened on every weekday night at 9.00 pm. It is currently encoring from 1 February 2012 to 20 March 2012.

It stars the award-winning veteran Hong Kong actress Louise Lee who also acted in the locally produced Portrait of Home back in 2005.

The series title 麻婆斗妇 is a play on a spicy tofu and beef dish from Sichuan called "Pockmarked Lady's Beancurd".
0
What About Dick? begins with the birth of a sex toy invented in Shagistan in 1898 by Deepak Rushdie Obi Ben Kingsley (Eddie Izzard), and tells the story of the subsequent decline of the British Empire as seen through the eyes of a Piano. The Piano (Eric Idle) narrates the tale of Dick (Russell Brand); his two cousins: Emma, (Jane Leeves) an emotionally retarded English girl; her kleptomaniac sister Helena (Sophie Winkleman) and their dipsomaniac Aunt Maggie (Tracey Ullman) who all live together in a large, rambling, Edwardian novel.  When the Reverend Whoopsie (Tim Curry) discovers a piano on a beach, a plot is set afoot that can be solved only by a private Dick, the incomprehensible Scottish sleuth Inspector McGuffin (Billy Connolly) who with the aid of Sergeant Ken Russell (Jim Piddock) finally reveals the identity of the Houndsditch Mutilator.
-8
A young woman is torn between the affections of her two lovers. One is a young bachelor who brings passion into her life. The other is a married man who has kept her as his mistress for years. Architect JD has a chip on his shoulder about his father Rico never really accepting him as his son. Seamstress Sari struggles to take care of her family. The two meet by chance, and JD aggressively pursues Saris affections. Though the two are clearly a good match, there is a problem standing in the way of their bliss: Sari is the mistress of JDs father. Against his better judgment, JD continues to court Sari even after finding out this difficult fact. He hides his true identity as Ricos son, and fights to win Saris heart.
4
الحديث عن اللعنات التي تصيب الإنسان كثيرة وغريبة وأغربها ما حدث بفيلم (بنات العم) حيث ثلاث فتيات تربطهن علاقة العمومية هن شوقية (أحمد فهمي) وشاهندا (هشام ماجد) وشيماء (شيكو) يقيمن مع جدتهن تاتا بطة (رجاء الجداوي). يتطلع... الفتيات إلى بيع القصر الذي يقيمن فيه أملا في الحصول بعض الأموال التي تساعد على تحقيق أمنياتهن ورغباتهن فيتوجهن إلى عزيز الهانش (أدوار) لشراء القصر فتحاول الجدة منعهن محذرة إياهن من اﻹصابة بلعنة كما حدث لأجدادهن، إلا ان الفتيات يرفضن العمل بالنصيحة ويصرن على بيع القصر فيصبن بلعنة غريبة، حيث يتحولن إلى رجال فيسعن إلى استرداد القصر الذي يرفض عزيز الهانش إعادته لهن.... وبين الصدمة والوعي يحاولن طوال احداث الفيلم فك تلك اللعنة والعودة إلى طبيعتهن.... فترى هل سيتمكن من ذلك؟
0
A very serious and strict officer goes after a dangerous drug dealer, in an attempt to try and stop the drug and weapon dealing business in the area.
-2
A man takes revenge on his sister by hiring her as his personal assistant.
-1
A woman who suffers from AIDS decides not to surrender to the fatal disease. She exerts huge efforts in trying to recover or by helping those who suffer the same disease by giving them glimmers of hope.
-1
Character-driven drama, 19-2 revolves around the day-to-day life of two  unwilling partners of the Montreal Police Department, Officers Nick  Barron and Ben Chartier. These two beat cops patrol the urban sprawl of  downtown's 19th district, in cruiser No. 2. 19-2 is about the tensions  and bonds that develop between two incompatible men of very different  temperaments and life experiences. Over time, Nick and Ben's mistrust  and antagonism for each other give way to moments of mutual respect and a  wavering chance at a true partnership. As Season 1 progresses, we also  get to know the tight-knit squad of 19. We see friendship and enmity,  loyalty and betrayal. The series delivers in portraying the  unpredictability and fragility of the world of a beat cop through  moments of life-threatening intensity to its characters, both on and off  duty, cementing 19-2 as a powerful character study and a gripping  police drama.
-4
From the Union Square Theater in New York City, veteran comic Tom Papa discusses a variety of topics, ranging from living with the worst roommates in the world to the difficulties of keeping up with rapidly changing technology.
-1
“Darling, Something's Wrong with Your Head" a story of forbidden love, is the first fiction feature set in Gaza in over 15 years. The film is a modern re-telling of the legendary tragic romance 'Majnun Layla', which was set in seventh century Arabia, when a poet named Qays fell in love with Layla. Driven by the intensity of his passion, Qays was known as 'Majnun Layla', which translates as 'madman for Layla'. In the contemporary setting, two students in the West Bank are forced to return home to Gaza, where their love defies tradition. To reach his lover, Qays graffiti's poetry across town.
3
Bheem and his Friends are having a great time in Dwarka with their friend Kanha.Mayandri tries to attack Kanha with some leopards but fails as Kanha fights them off with ease.Bheem gets injured and his friend Krishna offers to heal up his injury and just before the Dholakpurians leave Krishna offers some gifts to them.Bheem gets a pendant,Chutki gets a stylish ring,Raju gets a catapult and Jaggu got a compass whereas Kalia got a powder for when he blows on anyone can hear what they are thinking and Dholu and Bholu got a box in which they could ask for anything they want in food.Bheem suddenly feels it was time for everyone to go back to Dholakpur and they board their ship and bid farewell to Krishna their beloved friend.
0
Quiet and introverted toll booth clerk Kenan's life, a humdrum routine between the Tavsancik toll booth plaza and his home, will change the day the new operations chief comes to inspect Tavsancik.
-1
A police inspector recruits a suspended cop for a specialized task force to battle organized crime.
-1
Yours Fatefully is a Singaporean Chinese drama which was telecasted on Singapore's free-to-air channel, MediaCorp Channel 8. It will make its debut on 29 May 2012. This drama serial consists of 20 episodes, and will be screened on every weekday night at 9:00 pm.
-1
Lord Sri Rama (Balakrishna) retains his wife Sita (Nayanthara) comes back to their kingdom Ayodhya, after killing Ravana. And Sri Rama will continue his charisma in ruling the kingdom after his Pattabhishekam. On one day he will hear the sweet news that Sita is pregnant. Everything looks fine, but on one day Sri Rama came to know that people in his kingdom are having discussions about Sita’s character, as she spent some time in Ravana’s place. So, Rama decides himself to leave Sita and she is sent to the forest. There she was protected by Valmiki and was given shelter in his Ashram. Later she gives birth at Ashram to twins; Lava and Kusa. Later she gives birth at Ashram to twins; Lava and Kusa. What are the incidents that happens next forms the Sri Rama Rajyam Story.
2
Cassim Kaif is a young Muslim man who works in his father's fabric shop in Fordsburg, Johannesburg. In the family tradition, Cassim, as the only son, is expected to take over the family business from his father.
1
A taxi driver new to Beirut forms an unlikely bond with a bored American Pilates instructor who loves hearing him tell stories about his past.
-1
The Oath is a medical drama produced by Wawa Pictures. The drama follows a Chinese physician and a Western doctor on a complex medical case.

The series premiered in Singapore on 25 October 2011, on Mediacorp Channel 8. This drama is the first Wawa Pictures drama to be broadcast on Channel 8.

This drama will be encored from 16 May 2012 at 5.30pm. It will end on 12 June 2012.
-1
Manal is the lovely young daughter of a grocer in an isolated, run-down Cairo neighborhood town bordering a garbage dump.  Both Zaki and Mounir want to marry her.  Instead of letting Manal choose, the boys challenge each other to a soccer match in which the winner will gain her hand in marriage. 
-1
Noha is about to marry. Her family is relieved to see her take advantage of this last chance before officially becoming a spinster just like her old sister. All is well in the brave new world and yet, this Sunday in the month of August in the year 1976 in Lebanon, two weeks before the wedding, while the same night his brother organized a dinner in his honor friendly, Noha changes her mind.
5
Based on the life of Indian guru Shirdi Sai Baba (Nagarjuna Akkineni), who taught love, forgiveness, charity and devotion.
1
"Tango With Me" is a contemporary story about forgiveness about some of our core values as a people and our faith.
1
One day in the life of Soad, who lives with her mother and bed-ridden father on the outskirts of Cairo.
0
Through the stories of Assaad Shaftari, a former high-ranking militia officer, and Maryam Saiidi, the mother of a missing communist fighter, the film digs into war wounds and poses the question of whether or not redemption and forgiveness are possible.
0
Sudheer and Rani break down near a resort and quickly realize they are in a do or die situation.
-2
After a particle accelerator causes a freak storm, CSI Investigator Barry Allen is struck by lightning and falls into a coma. Months later he awakens with the power of super speed, granting him the ability to move through Central City like an unseen guardian angel. Though initially excited by his newfound powers, Barry is shocked to discover he is not the only "meta-human" who was created in the wake of the accelerator explosion -- and not everyone is using their new powers for good. Barry partners with S.T.A.R. Labs and dedicates his life to protect the innocent. For now, only a few close friends and associates know that Barry is literally the fastest man alive, but it won't be long before the world learns what Barry Allen has become...The Flash.
3
Raymond "Red" Reddington, one of the FBI's most wanted fugitives, surrenders in person at FBI Headquarters in Washington, D.C. He claims that he and the FBI have the same interests: bringing down dangerous criminals and terrorists. In the last two decades, he's made a list of criminals and terrorists that matter the most but the FBI cannot find because it does not know they exist. Reddington calls this "The Blacklist". Reddington will co-operate, but insists that he will speak only to Elizabeth Keen, a rookie FBI profiler.
-4
After his hometown is destroyed and his mother is killed, young Eren Jaeger vows to cleanse the earth of the giant humanoid Titans that have brought humanity to the brink of extinction.
-1
The story of Claire Randall, a married combat nurse from 1945 who is mysteriously swept back in time to 1743, where she is immediately thrown into an unknown world where her life is threatened. When she is forced to marry Jamie, a chivalrous and romantic young Scottish warrior, a passionate affair is ignited that tears Claire's heart between two vastly different men in two irreconcilable lives.
0
A gangster family epic set in 1919 Birmingham, England and centered on a gang who sew razor blades in the peaks of their caps, and their fierce boss Tommy Shelby, who means to move up in the world.
-2
The cart comes way before the horse in the reality series "Married at First Sight." Based on a hit Danish format, "Married..." features people who agree to participate in an extreme experiment: Each covenants legal marriage with a complete stranger. Specialists -- including a spiritualist, a relationship coach and a sociologist -- use scientific matchmaking methods to determine each couple, who will not have met or had contact with each other until the wedding day. The series then documents the relationships, including honeymoons and other relatable events of married life. After several weeks, each couple must decide whether to remain together or go their individual ways.
0
Keller Dover faces a parent's worst nightmare when his 6-year-old daughter, Anna, and her friend go missing. The only lead is an old motorhome that had been parked on their street. The head of the investigation, Detective Loki, arrests the driver, but a lack of evidence forces Loki to release his only suspect. Dover, knowing that his daughter's life is at stake, decides that he has no choice but to take matters into his own hands.
-3
Life for former United Nations investigator Gerry Lane and his family seems content. Suddenly, the world is plagued by a mysterious infection turning whole human populations into rampaging mindless zombies. After barely escaping the chaos, Lane is persuaded to go on a mission to investigate this disease. What follows is a perilous trek around the world where Lane must brave horrific dangers and long odds to find answers before human civilization falls.
-8
When their father passes away, four grown, world-weary siblings return to their childhood home and are requested -- with an admonition -- to stay there together for a week, along with their free-speaking mother and a collection of spouses, exes and might-have-beens. As the brothers and sisters re-examine their shared history and the status of each tattered relationship among those who know and love them best, they reconnect in hysterically funny and emotionally significant ways.
-1
Jack Harper is one of the last few drone repairmen stationed on Earth. Part of a massive operation to extract vital resources after decades of war with a terrifying threat known as the Scavs, Jack’s mission is nearly complete. His existence is brought crashing down when he rescues a beautiful  stranger from a downed spacecraft. Her arrival triggers a chain of events that  forces him to question everything he knows and puts the fate of humanity in his hands.
-2
Based on the real life story of legendary cryptanalyst Alan Turing, the film portrays the nail-biting race against time by Turing and his brilliant team of code-breakers at Britain's top-secret Government Code and Cypher School at Bletchley Park, during the darkest days of World War II.
2
100 years in the future, when the Earth has been abandoned due to radioactivity, the last surviving humans live on an ark orbiting the planet — but the ark won't last forever. So the repressive regime picks 100 expendable juvenile delinquents to send down to Earth to see if the planet is still habitable.
-2
Katniss Everdeen has returned home safe after winning the 74th Annual Hunger Games along with fellow tribute Peeta Mellark. Winning means that they must turn around and leave their family and close friends, embarking on a "Victor's Tour" of the districts. Along the way Katniss senses that a rebellion is simmering, but the Capitol is still very much in control as President Snow prepares the 75th Annual Hunger Games (The Quarter Quell) - a competition that could change Panem forever.
3
In the most ambitious dating experiment ever attempted, a group of gorgeous single women and guys are put through an extensive and scientific matchmaking process to find their Perfect Match.
3
Katniss Everdeen reluctantly becomes the symbol of a mass rebellion against the autocratic Capitol.
-2
Meet the most beloved sitcom horse of the 90s - 20 years later. BoJack Horseman was the star of the hit TV show "Horsin' Around," but today he's washed up, living in Hollywood, complaining about everything, and wearing colorful sweaters.
1
A DEA agent and an undercover Naval Intelligence officer who have been tasked with investigating one another find they have been set up by the mob -- the very organization the two men believe they have been stealing money from.
0
Set in present day Washington, D.C., House of Cards is the story of Frank Underwood, a ruthless and cunning politician, and his wife Claire who will stop at nothing to conquer everything. This wicked political drama penetrates the shadowy world of greed, sex and corruption in modern D.C.
-4
Gretta, a budding songwriter, finds herself alone after her boyfriend Dave ditches her. Her life gains purpose when Dan, a record label executive, notices her talent.
2
A sexy, suspense-driven legal thriller about a group of ambitious law students and their brilliant, mysterious criminal defense professor. They become entangled in a murder plot and will shake the entire university and change the course of their lives.
-2
A recently slain cop joins a team of undead police officers working for the Rest in Peace Department and tries to find the man who murdered him.
1
A spin-off from The Vampire Diaries and set in New Orleans, The Originals centers on the Mikaelson siblings, otherwise known as the world's original vampires: Klaus, Elijah, and Rebekah. Now Klaus must take down his protégé, Marcel, who is now in charge of New Orleans, in order to re-take his city, as he originally built New Orleans. Klaus departed from the city after being chased down by his father Mikael, while it was being constructed and Marcel took charge. As Klaus has returned after many years, his ego has provoked him to become the king of the city. "Every King needs an heir" says Klaus, accepting the unborn child. The child is a first to be born to a hybrid and a werewolf.
0
A young Peruvian bear travels to London in search of a new home. Finding himself lost and alone at Paddington Station, he meets the kindly Brown family.
0
A crime she committed in her youthful past sends Piper Chapman to a women's prison, where she trades her comfortable New York life for one of unexpected camaraderie and conflict in an eccentric group of fellow inmates.
-3
A biographical drama centered on the rivalry between Formula 1 drivers James Hunt and Niki Lauda during the 1976 Formula One motor-racing season.
-1
A woman turns to prescription medication as a way of handling her anxiety concerning her husband's upcoming release from prison.
-2
An epic adventure that follows the early years of the famous explorer as he travels the exotic Silk Road to the great Kublai Khan’s court. But Marco soon finds that navigating the Khan’s world of greed, betrayal, sexual intrigue and rivalry will be his greatest challenge yet, even as he becomes a trusted companion to the Khan in his violent quest to become the Emperor of the World.
1
A comedy-drama following a chaste young woman who is accidentally impregnated via artificial insemination as she struggles to inform her devoutly religious family and make the right choices concerning the child. Based on the telenovela "Juana la virgen."
1
After fighting his way through an apartment building populated by an army of dangerous criminals and escaping with his life, SWAT team member Rama goes undercover, joining a powerful Indonesian crime syndicate to protect his family and uncover corrupt members of his own force.
-2
This time, there's no wedding. No bachelor party. What could go wrong, right? But when the Wolfpack hits the road, all bets are off.
0
Dave Skylark and his producer Aaron Rapaport run the celebrity tabloid show "Skylark Tonight". When they land an interview with a surprise fan, North Korean dictator Kim Jong-un, they are recruited by the CIA to turn their trip to Pyongyang into an assassination mission.
-1
A look at the lives of the strong-willed women of the Weston family, whose paths have diverged until a family crisis brings them back to the Midwest house they grew up in, and to the dysfunctional woman who raised them.
-1
Vlad Tepes is a great hero, but when he learns the Sultan is preparing for battle and needs to form an army of 1,000 boys, he vows to find a way to protect his family. Vlad turns to dark forces in order to get the power to destroy his enemies and agrees to go from hero to monster as he's turned into the mythological vampire, Dracula.
0
After years away from the CIA, Elizabeth McCord is pulled back into the political arena. The newly appointed Secretary of State is tough, fair, and smart, driving international diplomacy, wrangling office politics, and circumventing protocol as she negotiates global and domestic issues, both at the White House and at home.
2
A pair of former high school sweethearts reunite after many years when they return to visit their small hometown.
1
When 13-year-old Henry Hart lands a job as Danger, the sidekick-in-training to superhero Captain Man, he must learn to navigate a double life balancing the challenges of 8th grade with the crazy adventures of a real-life crime fighter!
-3
A group of friends must confront their most terrifying fears when they awaken the dark powers of an ancient spirit board.
-3
The "black sheep" son of a wealthy family meets a young psychiatric patient who's been raised in isolation her entire life. He takes the naive young woman home for his brother's wedding an improbable romance blooms, as she impresses everyone with her genuine, simple charms.
3
The speedy blue hedgehog Sonic with sidekick Tails and pals Knuckles, Amy and Sticks tries to ward off the evil plans of Dr. Eggman, who is hellbent on taking over the world. Sonic faces regular battles with Eggman's henchmen, including loyal robots Orbot and Cubot, evil interns, and giant, robotic monsters.
-1
In their new overseas home, an American family soon finds themselves caught in the middle of a coup, and they frantically look for a safe escape in an environment where foreigners are being immediately executed.
0
A privileged girl and a charismatic boy's instant desire sparks a love affair made only more reckless by parents trying to keep them apart.
2
An aspiring dancer moves to New York City and becomes caught up in a whirlwind of flighty fair-weather friends, diminishing fortunes and career setbacks.
-1
Rose, a rebellious half-vampire/half-human guardian-in-training and her best friend, Lissa -- a mortal, royal vampire Princess - have been on the run when they are captured and returned to St. Vladamirs Academy, the very place where they believe their lives may be in most jeopardy. Rose will sacrifice everything to protect Lissa from those who intend to exploit her from within the Academy walls and the Strigoi (immortal, evil vampires) who hunt her kind from outside its sanctuary.
-2
A misanthropic man sets out to exact revenge on his estranged father, by finding a loophole and attempting to win the National Spelling Bee as an adult. Figuring it would destroy his father, and everything he's worked so hard for as head of the Spelling Bee Championship Organization, Guy Trilby eventually discovers winning isn't necessary for revenge, and that friendship is a blessing not a curse.
-3
An orphaned boy raised by underground creatures called Boxtrolls comes up from the sewers and out of his box to save his family and the town from the evil exterminator, Archibald Snatcher.
-1
Zach hires a camera crew to film him throughout his daily life as a part of his quest to become an over-night celebrity - even though he possesses no real talent. From Zach's attempts to become a celebrity chef or a ring-tone recording artist to purposefully going missing, he'll try any avenue to get noticed and stop at nothing until he reaches fame.
2
A victim from World War II's "Death Railway" sets out to find those responsible for his torture. A true story.
-2
A duo of street performers learns how sound and picture work together to create amazing cinema experiences.
2
Akiva and Shulem Shtisel, father and son, sit on a little balcony overlooking streets of the Geula neighborhood of Jerusalem. A year has passed since the mother died. All the other children have left the nest, and only Shulam and Akiva remain - quarreling, making up, and laughing about themselves and the rest of the world. All will change when Akiva meets Elisheva.
-1
Heisuke teaches at his alma mater, an all-boy’s Buddhist high school and leads a very ordinary life, except for the fact that he is still tortured by the memory of an unfortunate incident that took place there involving him and his school 14 years ago. In hopes of closure, he strikes upon a plan to jointly hold this year’s Culture Festival with a nearby girl’s school, with which there are chilly relations. Determined at all costs to make the event a success, Heisuke finds himself dealing with a constant stream of problems along the way.
-3
A reporter's dream of becoming a news anchor is compromised after a one-night stand leaves her stranded in downtown L.A. without a phone, car, ID or money - and only 8 hours to make it to the most important job interview of her life.
1
The story of Steve Jobs' ascension from college dropout into one of the most revered creative entrepreneurs of the 20th century.
0
A stranger in the city asks questions no one has asked before. Known only by his initials, the man's innocent questions and childlike curiosity take him on a journey of love, laughter and letting go.
0
A young man returns to Kashmir after his father's disappearance to confront his uncle - the man he suspects to have a role in his father's fate.
-2
Derek is a loyal nursing home caretaker who sees only the good in his quirky co-workers as they struggle against prejudice and shrinking budgets to care for their elderly residents.
0
Noni Jean is a hot new rising star. But not all is what it seems, and the pressure causes Noni to nearly fall apart - until she meets Kaz Nicol, a promising young cop and aspiring politician who's been assigned to her detail. Can Kaz's love give Noni the courage to find her own voice and break free to become the artist she was meant to be?
3
Bea Smith is locked up while awaiting trial for the attempted murder of her husband and must learn how life works in prison. A modern adaptation and sequel of the iconic Prisoner series.
-1
A look at the life of Cecil Gaines who served eight presidents as the White House's head butler from 1952 to 1986, and had a unique front-row seat as political and racial history was made.
0
The peaceful lives of the residents inhabiting a seaside town are shaken following a series of macabre crimes.
-1
In the late 1950s and early '60s, artist Walter Keane achieves unbelievable fame and success with portraits of saucer-eyed waifs. However, no one realizes that his wife, Margaret, is the real painter behind the brush. Although Margaret is horrified to learn that Walter is passing off her work as his own, she is too meek to protest too loudly. It isn't until the Keanes' marriage comes to an end and a lawsuit follows that the truth finally comes to light.
0
Sam Puckett is loud, independent, and tough as nails, while Cat Valentine is sweet as pie and super flighty. But that doesn't stop this unlikely pair from becoming best buds and roomies!

Together, they're a power duo with a love for fun and adventure -- it's just too bad that it doesn't come cheap. Burgers at their favorite robot restaurant Bots don't grow on trees, after all. A booming out-of-home babysitting business quickly becomes the answer to their empty-pocket problems, but also an extra reason for countless wacky adventures to come!
3
A woman searches for her adult son, who was taken away from her decades ago when she was forced to live in a convent.
0
Private investigator Matthew Scudder is hired by a drug kingpin to find out who kidnapped and murdered his wife.
0
In a world where magic is not a fairy tale but has existed for one hundred years siblings Tatsuya and Miyuki Shiba prepare to begin their studies at the elite Private Magic University Affiliated High School (Magic High School for short). Entering on different levels of the academic spectrum the two turn the once peaceful campus into a chaotic one.
4
Benjamin, a young German computer whiz, is invited to join a subversive hacker group that wants to be noticed on the world's stage.
-1
The “Seven Deadly Sins”—a group of evil knights who conspired to overthrow the kingdom of Britannia—were said to have been eradicated by the Holy Knights, although some claim that they still live. Ten years later, the Holy Knights have staged a Coup d'état and assassinated the king, becoming the new, tyrannical rulers of the kingdom. Elizabeth, the king's only daughter, sets out on a journey to find the “Seven Deadly Sins,” and to enlist their help in taking back the kingdom.
-5
With unprecedented access, this program reveals the humour, chaos and passion that went into bringing the Flying Circus to the stage cumulating in the legendary One Down, Five To Go.
2
The feature film ' The Birth Reborn' portrays the serious obstetric reality in the world, which is characterized by an alarming number of cesarean or deliveries with traumatic and unnecessary interventions, as opposed to what is known and recommended by science today. This situation has serious perinatal, psychological, social, anthropological and financial consequences. Through the reports of some of the leading experts in the area and the latest scientific discoveries, the film questions the current obstetric model, leads to a reflection on the new paradigm of the twenty-first century and the future of a civilization born without the so-called 'love hormones', released only under specific conditions of labor.
0
After finding out he has an STI, Dylan must get back in touch with every girl he has ever had sex with to let them know the bad news.
-1
After weeks of traveling through Europe, the immature William finds himself in Copenhagen, the place of his father’s birth. He befriends the youthful Effy, who works in William’s hotel as part of an internship program, and they set off to find William’s last living relative. Effy’s mix of youthful exuberance and wisdom challenges William unlike any  woman ever has. As the attraction builds, he must come to grips with destabilizing elements of his family’s sordid past.
5
An original stand-up comedy special written and performed by comedian Tom Segura.
0
Left brain and right brain duke it out and then belt out a tune in comedian Bo Burnham's quick and clever one-man show. As intelligent as he is lanky, Burnham cynically pokes at pop entertainment while offering unadulterated showmanship of his own.
2
Ertuğrul Bey and the Knights Templar in the 13th century Alba and step and step with the struggle against brutal Mongols depicts the process of establishing the Ottoman principality.
-2
A father with a dangerous secret searching for his daughter.
-1
Usagi Tsukino is chosen to be a guardian of justice and is sent on a quest to locate a Silver Crystal before the Dark Kingdom invades the Earth.
-1
A chronicle of James Brown's rise from extreme poverty to become one of the most influential musicians in history.
0
Legendary comedian D.L. Hughley takes the stage at the Regency Ballroom in San Francisco for his new hilarious stand up special, Clear. In this uproarious performance, Hughley riffs on everything from the value of having nosy white neighbors to Colorado legalizing marijuana.
2
The tale of an ordinary garden snail who dreams of winning the Indy 500.
1
After failing to get into the police academy, Chris Potamitis settles for a security guard job with an armoured truck company. After he makes the mistake of mentioning the company's lax security to his best friend, He's unwittingly drawn into an elaborate scheme to rob the abundant amounts of cash being stored on their premises—resulting in the largest cash heist in U.S.history.
0
Sakamichi Onoda is a wimpy high school freshman who loves anime. He initially wants to enter the anime club, but winds up joining the cycling club after meeting two classmates who are already famous cyclists. He undertakes the grueling training to compete in races, and discovers his own hidden talent in cycling.
2
A chronicle of Nelson Mandela's life journey from his childhood in a rural village through to his inauguration as the first democratically elected president of South Africa.
0
City of God – 10 Years Later investigates what happened to the actors who took part in the award-winning film directed by Fernando Meirelles and Katia Lund. This documentary shows what City of God’s worldwide success meant to their lives. Were the actors prepared for the film’s success? Did the social background of some of them prove stronger than the opportunity that came their way?
3
In 2010, Abu Eyad and other young Palestinian men from the Ain el-Helweh refugee camp in Lebanon travelled with smugglers through Syria and Turkey into Greece. Like so many other migrants, they came looking for a way into Europe but found themselves trapped in a country undergoing economic, political, and social collapse.
-1
Julian Assange. Bradley Manning. Collateral murder. Cablegate. WikiLeaks. These people and terms have exploded into public consciousness by fundamentally changing the way democratic societies deal with privacy, secrecy, and the right to information, perhaps for generations to come. We Steal Secrets: The Story of WikiLeaks is an extensive examination of all things related to WikiLeaks and the larger global debate over access to information.
-1
SOMETHING NECESSARY is an intimate moment in the lives of Anne and Joseph. A woman struggling to rebuild her life after the civil unrest that swept Kenya after the 2007 elections claiming the life of her husband, the health of her son and leaving her home on an isolated farm in the Kenyan countryside in ruins, she now has nothing but her resolve to rebuild her life left. A young man, troubled gang member who participated in the countrywide violence is drawn to Anne and her farm seemingly in search of redemption. Both, Joseph and Anne need something that only the other can give to allow them to shed the painful memories of their past and move on.
-4
Meet The Thundermans, a typical suburban family that happens to have astounding superpowers. At the center of the action are the 14-year-old Thunderman twins, who share the same bathroom, the same school, and the same annoying little siblings. Their only difference? The sister is a super student with a super sunny disposition who super looks forward to being a superhero someday, and her twin brother is a super villain.
4
After engaging in an illicit affair with one of his pupils, teacher Parker Sithole spirals into an abyss of obsession that eventually turns to murder. A cinephile's passionate homage to classic film noir,  Of Good Report is a serial killer origins story about how a social misfit turns into an inadequate man hellbent on satisfying his shameful lust. It is Little Red Riding Hood, told from the wolf's perspective.
0
John Gregory, who is a seventh son of a seventh son and also the local spook, has protected the country from witches, boggarts, ghouls and all manner of things that go bump in the night. However John is not young anymore, and has been seeking an apprentice to carry on his trade. Most have failed to survive. The last hope is a young farmer's son named Thomas Ward. Will he survive the training to become the spook that so many others couldn't?
-4
Three protagonists, one city, different backgrounds: Nour, India and Marwan pass each other but they never meet, though the effect of one incident will drastically alter their lives. Caught in a moment, their lives fall apart in just a matter of seconds.
-2
The story is about two Davids living in different parts of India whose lives eventually come together in a twist of events., who are about to take a step which is going to change their lives forever.
-1
In 1950s Spain, the heir to a fashion house romances a beautiful seamstress who works for the company, despite the objections of his family.
1
The Rabbids are back in their new tv show. The rabbids discovers new things and learn what they do. But that they don't know is that they are curious.
0
Two oafs must rescue their stranded pal in Mexico.
0
Jim Gaffigan bursts back on the scene with this eagerly anticipated fourth comedy special. Dubbed the "King of Clean Comedy" by The Wall Street Journal, Jim's obsession with all things food comes to fruition on Obsessed as he tackles a cornucopia of new food topics from fruit to seafood to donuts. Get ready for 70 minutes of non-stop laughs at Jim's twisted-yet-enlightened observations on the seemingly mundane topics that have made him a fixture in the comedy world for audiences of all ages.
3
The Square looks at the hard realities faced day-to-day by people working to build Egypt’s new democracy. Cairo’s Tahrir Square is the heart and soul of the film, which follows several young activists. Armed with values, determination, music, humor, an abundance of social media, and sheer obstinacy, they know that the thorny path to democracy only began with Hosni Mubarek’s fall. The life-and-death struggle between the people and the power of the state is still playing out.
-2
Ömer is a police officer. After the death of his fiancée, he suffers great pain. The body of Sibel, Ömer's fiancée, was found on the top of a cliff, in a car next to a fairly old, rich business man. After the shock of her sudden death and the accusations of his love cheating on him, Ömer realizes that there is more behind her suspicious murder
-4
Six would-be thieves enter a prestigious dance competition as a cover for their larger goal of pulling off a major heist.
1
Angry Birds Toons tells how life is not always easy on Piggie Island. Red and angry feathered companions, Chuck, Mathilda, Bomb, Blues and Terence must come together to protect their eggs - and future - of cunning plots of Bad Piggies. Having only guides for their intelligence and determination, they absolutely must thwart the advanced technology Piggies are also incredibly too many. Nevertheless, they have a huge advantage ... the incredible stupidity of the Piggies! Angry Birds Toon gives life to characters and adventures of one of the most popular games in history and presents the amusing world, and cunning of Birds and their sworn enemies, the Piggies.
0
Real-life mermaids, Sirena, Nixie and Lyla are part of a mermaid pod, which lives in the waters of Mako Island. As young members of the pod, it is their job to protect the Moon Pool and guard it from trespassers. But on the night of a full moon, the mischievous mermaid girls neglect their duties. Sixteen-year-old land-dweller Zac enters the Moon Pool and forms a special connection with Mako.

Zac is given a fish-like tail and amazing powers. The mermaid pod is forced to leave Mako, leaving behind the three mermaid girls, cast out of the pod. They know there's only one way they will be allowed to rejoin the pod: They must get legs, venture onto land and take back Zac's powers – or risk being outcasts forever.
-2
A discussion between John Cleese, Michael Palin, Eric Idle, Terry Gilliam and Terry Jones about their film The Meaning of Life
-1
The story of a 10-year-old girl Dawn Haley whose sibling rivalry with her three brothers is heightened by the fact that they are quadruplets.
0
Jeff Dunham and his iconic creations, Achmed, Walter, Peanut, and Bubba J. have embarked on an unprecedented world tour through five continents, logging almost 100,000 miles and starring in arenas where few American comedians have dared to perform. Tell the wrong joke in Singapore or United Arab Emirates and risk being handcuffed before you ever leave the stage. Bring Achmed the Dead Terrorist on stage in Malaysia after a government warning forbidding his presence, and you may never leave Kuala Lumpur. While Dunham crafts pop culture references that can excite a local audience upon entering each country, Jeff shows that humor is truly universal. Most of the time.
-4
Four animal superheroes called the Miniforce transform into robots to protect small and defenseless creatures from the hands of scheming villains.
1
Tiny House Nation takes renovation experts John Weisbarth and Zack Griffinh across America to help design and construct tiny dream homes in spaces under 500 square feet. Tiny House Nation proves size doesn't matter it's creative that counts!
1
The world is a mystery to little Booba. But he approaches the curiosities around him with wonder, finding adventure in his everyday surroundings.
0
Its September 1960, and with Nigeria on the verge of independence from British colonial rule, a northern Nigerian Police Detective, DAN WAZIRI, is urgently despatched by the Colonial Government to the trading post town of Akote in the Western Region of Nigeria to solve a series of female murders that have struck horror in the hearts and minds of the local community. On getting to Akote, more murders are committed, and with local tension high and volatile, Waziri has a race on his hands to solve the case before even more local women are killed. Set against the backdrop of the national celebratory mood of the impending independence, Waziri is pulled into a game of cat and mouse as he and the killer try to outwit each other...
-6
The adventures of Vicenta Acero, the feared coyote who now leads the dynasty of illicit dealings once under the control of her father.
0
After a chance encounter in LA, two teens from different social backgrounds reunite at an exclusive high school attended by Korea's über rich.
1
Skipper, Kowalski, Rico and Private join forces with undercover organization The North Wind to stop the villainous Dr. Octavius Brine from destroying the world as we know it.
-1
Virunga in the Democratic Republic of the Congo is Africa’s oldest national park, a UNESCO world heritage site, and a contested ground among insurgencies seeking to topple the government that see untold profits in the land. Among this ongoing power struggle, Virunga also happens to be the last natural habitat for the critically endangered mountain gorilla. The only thing standing in the way of the forces closing in around the gorillas: a handful of passionate park rangers and journalists fighting to secure the park’s borders and expose the corruption of its enemies. Filled with shocking footage, and anchored by the surprisingly deep and gentle characters of the gorillas themselves, Virunga is a galvanizing call to action around an ongoing political and environmental crisis in the Congo.
-3
Pirated DVD seller Zafer who is formerly an extra in movies, swore to give up illegal works when his wife wanted to get divorce. To win his family back, he and his old-fashioned crew decided to make a movie called "Summit - The End Of Evil" which is a fantastic science fiction movie and couldn't be shot since 1977. A funny, entertaining and emotional journey awaits him who waded into this adventure with his unqualified crew.
-1
An unappreciated old granny magically turns 20 years old again and decides to make the most of her newfound youth.
0
In the suburbs of Tokyo some time ago, there lived a clumsy boy about 10 years old. There appeared in front of him named Sewashi, Nobita's descendant of four generations later from the 22nd century, and Doraemon, a 22nd century cat-type caretaker robot who helps people with its secret gadgets. Sewashi claims that his family is suffering from the debts Nobita made even to his generation, so in order to change this disastrous future, he brought along Doraemon as Nobita's caretaker to bring happiness to his future, although Doraemon is not happy about this. And so Sewashi installed an accomplishment program into Doraemon forcing him to take care of Nobita. Unless he makes Nobita happy, Doraemon can no longer go back to the 22nd century. This is how the life of Doraemon and Nobita begins. Will Doraemon succeed this mission and return to the 22nd century?
1
Bubbles and the other boys get a letter from a TPB fan club president in Minneapolis, Minnesota to do a live show at the State Theatre for Christmas. Ricky goes along with it to make nice with Santa Jesus God after a rough-up the previous year, while Julian brings along Randy to sell 60/40 raffle tickets and make some money. Mr. Lahey sneaks along to spoil the boys' fun. A Netflix original production.
0
A look at the mysterious relationship between Victorian art critic John Ruskin and his teenage bride Effie Gray.
-2
Circumstances condemn Oh Soo and Oh Young to loveless lives. After the untimely death of his first love, Oh Soo turns to an ambitionless life as a derelict gambler. The gorgeous Oh Young should be leading the perfect life as an heiress, but when her parents’ divorce crumbles the family, she faces the reality of living life alone—particularly in light of her increasingly impaired vision. When these two heavy souls cross paths, fate delivers a chance meeting that will change their lives forever.
-1
An Indian intelligence agent journeys to a war-torn coastal island to break a resolute rebel group and meets a passionate journalist.
2
Preparing for her wedding, Kübra gets possessed by unknown livings. To cure Kübra, a psychiatrist, Ebru, gets on way. Ebru is also an old friend of Kübra. Ebru would work together with an exorcist to save Kübra. Just when things seemed to be going well, everything start going horribly wrong.
1
A team of con men fall for a Begum and her female confidante. Does their love fructify?
0
Rani, a 24-year-old homely girl, decides to go on her honeymoon alone when her fiancé calls off the wedding. Traveling around Europe, she finds joy, makes friends, and gains new-found independence.
2
Seventeen-year-old Athena Dizon unwittingly plays a trick on resident heartthrob and bad boy Kenji de los Reyes. All of a sudden, she finds herself pretending to be his girlfriend to make an ex jealous; however, she falls in love with him.
-3
TV MX, the most powerful Mexican Television Corporation, discloses a scandalous story involving Governor Carmelo Vargas in serious crimes and illicit business. Governor Vargas worried about his political future, decides to clean his image and negotiates a billionaire secret agreement with the owners of the TV Corporation. Carlos Rojo, an ambitious young news producer, and Ricardo Diaz, TV network star reporter, are responsible for making a dirty campaign to change the image the public has of the corrupt Governor and make him, at any cost, a political star and a great presidential candidate. Mexican Television believes that democracy is a farce and has already placed one President... Will they do it again?
-3
After the demise of warlord Nobunaga ODA, Japan was about to be unified by Hideyoshi TOYOTOMI. However, there was one man in Kanto region that was defiant to it. That man, who named himself TenmaOh (Mirai MORIYAMA) and leads the KANTO DOKURO-TO, an armed group hiding in the pitch-black DOKURO-JO (skull castle), once worked for NOBUNAGA. Sutenosuke (Shun OGURI) happens to rescue a woman who has been chased by the KANTO DOKURO-TO, which was headed by the bloodthirsty madman TenmaOh.
-3
A debt collector takes over the management of a group of starlets after their talent agent defaults on a loan, but soon finds he's in over his head.
0
Equipped with nothing more than a GED and strategies for the game of go, an office intern gets thrown into the cold reality of the corporate world.
-1
Long ago, all humans lived beneath the sea. However, some people preferred the surface and abandoned living underwater permanently. As a consequence, they were stripped of their god-given protection called "Ena" which allowed them to breathe underwater. Over time, the rift between the denizens of the sea and of the surface widened, although contact between the two peoples still existed.

This show follows the story of Hikari Sakishima and Manaka Mukaido, along with their childhood friends Chisaki Hiradaira and Kaname Isaki, who are forced to leave the sea and attend a school on the surface. There, the group also meets Tsumugu Kihara, a fellow student and fisherman who loves the sea.

Hikari and his friends' lives are bound to change as they have to deal with the deep-seated hatred and discrimination between the people of sea and of the surface, the storms in their personal lives, as well as an impending tempest which may spell doom for all who dwell on the surface.
-2
A road movie that shows the simple things in life in a poetic light through the eyes of three young people with Down syndrome, who love movies and work at the video library of the institution where they have always lived in. One day, inspired by the movie "Thelma & Louise", they decide to run away using the gardener's old car to have a freedom experience. They travel to uncommon places in search for three simple wishes: Stalone wants to see the sea, Aninha looks for a husband and Marcio needs to fly. During this search, they embark on several adventures as if life was just a children's play
3
Sriram Venkat is the most shallow guy on earth who doesn't value relationships, family, friends, life or the country. Not necessarily in that order. Because he couldn't care less about the order. This makes him the clear 'black' sheep of the family.
0
Rahul embarks on a journey to a small town in Tamil Nadu to fulfill the last wish of his grandfather: to have his ashes immersed in the Holy water of Rameshwaram. En route, he meets a woman hailing from a unique family down South. As they find love through this journey in the exuberant lands of South India, an unanticipated drive awaits them.
3
A chronicle of the life of Indian boxer 'Mary Kom' who went through several hardships before audaciously accomplishing her ultimate dream.
-2
The boys head to Ireland after winning a contest to see Rush but are arrested by immigration and must perform a community service puppet show.
0
Celebrate the last night of the Pythons on the big screen! - With John Cleese, Eric Idle, Terry Gilliam, Terry Jones and Michael Palin.
0
When Batman, claiming to be a loner, refuses to join the Justice League, he is drawn into working with them when they are kidnapped one-by-one and held prisoner by one of Batman's nemeses.
-4
A brilliant detective is forced into early retirement after losing eyesight. Making ends meet by solving cold cases for reward money, he teams up with a rookie lady inspector to solve a case from her personal past.
0
The children of the Salazar family have been pursuing separate lives in the recent years. After a few years of not being together as a whole family, they find themselves reuniting when CJ announces his plan to marry Princess, his girlfriend for three months. Much to their shock and dismay, CJ's sisters come together for the wedding and have agreed to dissuade him from marrying his fiancée.
-3
Astronaut Scorch Supernova finds himself caught in a trap when he responds to an SOS from a notoriously dangerous alien planet.
-3
Meet the Murphys, a family with never ending bad luck. "Anything that can go wrong, will go wrong," it's Murphy's law! Over a century ago a witch put a magical curse on their great-great grandfather and the whole family has been jinxed for generations! After Meg Murphy (played by Big Time Rush's Ciara Bravo) and her family's house is destroyed in yet another freak accident, the family moves into their grandfather's house in Harvest Hills. In a not-so-strange case of bad luck, Meg's nemesis Ivy is also spending the summer in town. But things start to look up, kind of, when Meg meets a local boy named Brett and he casts another spell on her, a love spell that is! With help from her brother Charlie, Meg more determined than ever, must break the hex on her catastrophically cursed family! Watch this doomed teen try for a normal existence in a world full of hijinks!
-6
Bauji resists his daughter's request to let her marry the man she loves as the villagers incessantly shame him. However, his opinion changes after he meets him and he decides to change his viewpoint.
-1
At a leading ad agency, the battle for the top job between Rahul Verma, the advertising CEO, and Maya Luthra, his ambitious protégée, takes an ugly turn when Maya files a sexual harassment complaint against Rahul.
0
3D printing is changing the world – from printing guns and human organs to dismantling the world’s industrial infrastructure by enabling home manufacturing. The 3D Printing revolution has begun. Who will make it?
0
Yasmine , Roxi and Ana run away to the seaside two days before their finals to have the time of their lives.
0
This documentary focuses on the devastating violence of the Israel-Palestine conflict and its effects on the children of Gaza.
-2
Villainous Loki is amassing an army to conquer Earth! His antics are keeping Spider-Man and S.H.I.E.L.D. busy as they tackle a host of bad guys.
-2
Get ready for the oddest summer yet! Timmy Turner and his fairies are going on a summer vacation to Hawaii. But, unfortunately for Timmy, something tells us this won’t be a very relaxing holiday. With all the magic in Fairy World at stake and villains like Vicky , Foop and Crocker on his tail, there’s no way he’ll be able to enjoy himself…
3
Leba is a music instructor who lives in a small Lebanese town. Social pressure leads him to get married and have children. Lara, his beloved wife, births a girl, later other one and finally Ghadi, a boy with special needs related with Down Syndrome. Ghadi could have been a burden, but he is a cause of pride and joy for all of them —but a test too that proves the intolerance of other people.
1
A hunt for a lost sheep turns into a competition between Hiccup and friends as they compete to become the first Dragon Racing champion of Berk.
0
Cancer specialist Dr. Michael Durant forms an unlikely bond with seven year old Sam and becomes desperate, willing to risk anything to save the child’s life. A surreptitious Nigerian Nurse convinces him to seek the help of Dr. Bello, an uncertified Nigerian Doctor, known in the Brooklyn-African underground as a miracle worker.
-2
Dilek, a housewife suddenly starts to feel presence of something abnormal in a specific room in their house. Though her husband, Omer refuses to agree with her but situation become worse. They find out that, an ancient paranormal creature called Jinn, has cursed on Dilek. They seek for a way to cure her but instead they find out some shocking event of Dilek's early life.
-4
Drop out of school to ride with the Merry Pranksters. Form America’s most enduring jam band. Become a family man and father. Never stop chasing the muse. Bob Weir took his own path to and through superstardom as rhythm guitarist for The Grateful Dead. Mike Fleiss re-imagines the whole wild journey in this magnetic rock doc and concert film, with memorable input from bandmates, contemporaries, followers, family, and, of course, the inimitable Bob Weir himself.
0
7 year old Matías returns home from a friend’s birthday party to find his mother, Laura, unconscious on the floor. When she recovers her senses they decide to leave home and rush to a shelter for abused women where they spend 48 hours before Laura decides to rebuild her life somewhere else. Through the eyes of Matías we will discover their escape in a city where everything Matías once knew feels dangerous and foreign until Laura finds a secure place to raise her son.
-1
A girl from Ambala, Kavya Pratap Singh, is about to be married. When she visits Delhi to shop for her 'dhai lakh ka Ghagra'(wedding dress worth Rs. 2.5 Lakh), she meets Humpty Sharma, a carefree Delhiite, and falls in love with him.
2
Hollywood veteran Bing Russell creates the only independent baseball team in the country—alarming the baseball establishment and sparking the meteoric rise of the 1970s Portland Mavericks.
0
Ten years ago, Ginny, an Architecture student, and Marco, a History professor, began a one-of-a-kind and unpredictable love story. In the five years that they were together, they brought out the best in each other, which included Marco’s unrealized dream of becoming a chef. Together, they worked towards their dream of opening up a restaurant, but when Ginny realized her own pursuits were different from his, she rejected his wedding proposal and left the country for a Masters degree in Architecture. At present, Ginny co-owns a one-stop Architecture and Interior Design firm specializing in Restoration. She receives an email from Marco, which was written and sent after their break-up, meant to be read four years later. It makes her feel even more regretful of leaving the love of her life.
1
A soldier who once saved the entire country is assigned to guard a genius child whose intellect is needed to foil the plans of an evil villain.
0
The drama, the story of three childhood friends and a young woman who are torn apart in their fight for freedom, is billed as the first fully-financed film to come out of the Palestinian cinema industry.
1
The students of all the fairytale characters attend Ever After High, where they are either Royals (students who want to follow in their parent's footsteps) or Rebels (students who wish to write their own destiny).
1
On the eve of Nikhil and Karishma’s engagement, Karishma’s wealthy father, Devesh Solanki, expresses his disapproval, believing Nikhil to be a lackadaisical young man. With one week to prove himself worthy to marry Karishma, Nikhil and Karishma's sister, Meeta, grow closer to each other.
0
Ranveer Singh (Saif Ali Khan) travels to exotic locales and confronts the Turkish mafia on a mission to avenge the death of his lover Sonia in this action-packed sequel. In the process of seeking her killers, Ranveer crosses Armaan Mallick (John Abraham) and Aleena (Deepika Padukone) -- two of the most feared figures in the Turkish underworld. Meanwhile, Ranveer's loyal friend RD (Anil Kapoor) and his new partner Cherry (Amisha Patel) offer a helping hand in a world where love is cheap and trust is a luxury most agents can't afford.
3
Rattled by the prospect of becoming a dad, a 40-year-old filmmaker begins to consider what "manhood" really means for him, prompting him to pursue an array of interests and reexamine his views -- which were shaped by his father.
-1
Nigerian comedy about a young woman who wants to get married, but her boyfriend is only interested in furthering his career, so she seeks help to get him to tie the knot.
0
King Julien is back and shaking his booty harder than ever! Discover the wild world of Madagascar as the king takes on the jungle’s craziest adventures in this comedy series. With his loyal sidekicks Maurice and Mort, they meet a whole new cast of colorful animals, including ambitious head of security Clover and the villainous Foosa. No one can stop this king from ruling with an iron fist...in the air...wavin' like he just doesn't care.
1
Armed with technological gear, great ideas and an unfailing sense of humour, Talking Tom and his friends are on a mission to reach stardom at all costs.
2
When an illicit arms deal goes bad, North Korean spy Pyo Jong-seong finds himself targeted not just by the South Koreans but also his own bosses.
-2
One hundred years of Hindi cinema is celebrated in four short stories showcasing the power of film.
1
Smart, crude, and in-your-face, Australian comic/actor/equal-opportunity-offender Jim Jefferies is not for the faint of heart. Whether he is lampooning gun control, auditioning disabled actors, or over-sharing sexual experiences, the FXX "Legit" star proves nothing is out of bounds and even less, off limits. Filmed during the Boston run of his recent stand up tour.
-3
When fourteen-year-old Jarvis Raines gets a chemistry set from his Aunt Marlene for Christmas, he assumes it's just another boring gift. Boy is he wrong! The contents create a chemical reaction that destroys his houseso much for a Merry Christmas! After getting not even an apology from the manufacturer, Knickknack Toys, Jarvis takes them to court, wins, and ends up owning the company!
0
Fresh, unflinching and devastatingly honest, Bill Burr lets loose in this feature length comedy special. Burr shares his essential tips for surviving the zombie apocalypse, exposes how rom-coms ruin great sex and explains how too many childhood hugs may be the ultimate downfall of man.
-2
Feature documentary about legendary oceanographer, marine biologist, environmentalist and National Geographic Explorer-in-Residence Sylvia Earle, and her campaign to create a global network of protected marine sanctuaries
1
The Royal Scandal, the war for power and fight for money continues with the return of Saheb Biwi Aur Gangster. Aditya Pratap Singh (Jimmy Sheirgill) is crippled and is trying to recover from the physical disability and his wifes betrayal. The lover cum seductress Madhavi Devi (Mahie Gill) is now an MLA, her relationship with Aditya may have broken to shambles but her relation with alcohol is deep, dark and daunting. Indarjeet Singh, a ragged prince who has lost everything but his pride, pledges to get back his familys respect which was once destroyed by Adityas ancestors. Ranjana is a modern ambitious girl who is madly in love with Indarjeet Singh (Irrfan Khan). The story takes a new turn when Aditya falls in love with Ranjana and forces Birendra (Raj Babbar) her father, for their marriage. In this game of live chess between Saheb, Biwi and Gangster, the winner, the survivor takes it all.
-2
Standup special recorded at Union Hall in Brooklyn.
0
A woman desperately seeking for a man to love. When he finally arrives, she overlooks him.
-1
Fed up with being censored in their post-Trailer Park Boys lives, the out of work stars/world-renowned 'swearists', Mike Smith, Robb Wells and John Paul Tremblay decide to start their own uncensored network on the internet.
2
E-Team is driven by the high-stakes investigative work of four intrepid human rights workers, offering a rare look at their lives at home and their dramatic work in the field.
3
Three friends growing up in India at the turn of the millennium set out to open a training academy to produce the country's next cricket stars.
0
After Turbo the Snail's improbable win at the Indianapolis 500, the superfast racer finds his life forever changed after he returns from his victory tour. Namely, Tito, his human companion, has built Starlite City, a massive miniature city with an elaborate adjoining race track for Turbo and his fellow snails to live and race in. However, Turbo finds his new life no less hectic as he and his friends face new rivals of all varieties eager to take the champion on. Regardless of the danger, Turbo and his colleagues of the Fast Action Stunt Team are ready for the challenge.
2
Krishna (Suriya) comes to Mumbai in search of his brother Raju Bhai (Suriya), an underworld don. Through Raju Bhai's gangster friends, his past life is revealed. What happened to Raju Bhai? Will Krishna find him?
-1
A filmmaker is granted unprecedented access to a political candidate and his family as he runs for President.
0
The film follows the life of Miggy and Laida after their break-up which occurred after the events in the second film. Miggy, is now in a relationship with Belle while Laida is now a fiercer woman after living in the United States. They try to co-exist in the same company while Laida tries to oppose Miggy's business decisions through a series of events which made them realize the real definition of true love.
-1
Ismail's son, Tarik returns to his village after long years of being away and announces that he is engaged to a Latvian woman named Nugesha and although he doesn't have the means for it, Ismail still wants to be the one who pays for the expenses of the wedding. Several problems ensue as he tries to make sure that there is enough money for the wedding.
0
When a capable dancer is provoked by the evil design of his employer, naturally he will be out to prove his mettle.
0
On the eve of his 25th birthday, the day he’s set to receive money from his trust fund, Rocco (Xian Lim) parties, gets drunk and loses all his money on a poker match. His dilemma: He has to produce the amount, otherwise he will lose the client he needs to defeat his father’s TV commercial production company.  Meanwhile, Rocky (Kim Chiu) also needs money to pay the rent, otherwise her family will be homeless.  There’s only one way for Rocco to be able to get money from his trust fund: Fulfill the conditions set by his grandmother and that is to get married.  Rocky agrees to act as Rocco’s pseudo wife in exchange for a “talent fee.” They seal the deal.  As they live like a married couple, Rocco and Rocky face one problem after another, forcing them with no alternative but to reconcile their differences and work with each other. Complication arises when they start to feel for each other, with their bond getting closer.
-2
Blitz Patrollie chronicles the adventures of Rummy Augustine (Joey Rasdien) and his partner, Ace Dikolobe (David Kau), police officers who have had the misfortune of being stationed in a little known depot in the belly of the Johannesburg CBD.
-1
Disowned by his father as a boy, Surya is taken in by a crime boss. When his brother Shiv is wrongly imprisoned, his father pleads for Surya's help.
-2
Standup comedian Aziz Ansari ("Parks and Recreation") headlines his third standup special, where he shares his uniquely hilarious perspective on fears of adulthood, babies, marriage, and more. Ansari's look at life on the cusp of 30 years old is smart, unfiltered, and hysterical.
0
Of best friends Didem, Esra, and Zeynep, only Didem has stayed single. Esra is preparing to marry Mert, and Zeynep has already married Ergün. Didem tries many strategies on her boyfriend Cem that she read in a book called "The Way Goes to Marriage," but none are successful.
2
A culmination of Chelsea Handler's stand-up comedy tour in support of her fourth New York Times #1 Bestseller, Uganda Be Kidding Me.
1
"Trailer Park Boys" John Paul Tremblay, Robb Wells and Mike Smith host this foulmouthed live kick-off of their Web-based Swearnet network.
1
Standup in Las Vegas.
0
Stories of serious traffic accidents caused by texting and driving are told by the perpetrators and surviving victims.
0
Anamika comes to India in search of her husband Ajay. As a hit man is taking down the people she goes to asking for help, Anamika is told by Khan, an encounter specialist, that her husband is Milan Damji, a terrorist mastermind...
0
Thanks to Sharuru, a fairy from the Trump Kingdom, and the power of mysterious accessories called Cure Lovies, Mana transforms into Cure Heart! Mana, her close friend Rikka, her high-class childhood friend Alice, and the enigmatic, cool super idol singer Makoto all become legendary saviors. Together, they purify the Jikochu, who have forgotten about love!
9
Masha explains why there's no need to be scared of things like monsters, the dark, going to a new school, thunder and other common childhood fears.
-3
Based off Gu Man’s very popular internet novel, the story tells of a kind hearted young girl who works at a big conglomerate. However one of her weaknesses is eating, she loves to eat, and so upon discovering this her boss decides to intentionally fatten her up; she just so happens to share the same blood type as his sister, and thus has the motive of making her the blood donor. Hence comedy ensues as she melts his heart with her exceptional appetite and her cute charm.
5
The heroes of 'Tiger & Bunny' are back in an all-new feature-length film! Picking up after the events of the Maverick incident, Kotetsu T. Kaburagi, a.k.k Wild Tiger, and Barnaby Brooks Jr. resume their careers as heroes fighting crime in Hero TV's Second League. Their partnership comes to a sudden end when Apollon Media's new owner Mark Schneider fires Kotetsu and moves Barnaby back into the First League, pairing him up with Golden Ryan, a new hero with awesome powers and a huge ego to match.  When the heroes are sent to investigate a string of strange incidents tied closely to the city's Goddess Legend, they discover three super powered NEXTs plotting to bring terror and destruction to Stern Bild. With the lives of millions hanging in the balance, Barnaby and Goden Ryan must overcome their differences to contain the approaching doom, while a jobless Kotetsu's resolve as a hero is put to the test as he struggles to help his fellow heroes from the sidelines.
1
A vibrant, hopelessly romantic physiotherapist meets a handsome young Rajput prince who is the complete opposite of her – and is engaged to someone else.
2
Satya is given a different face after he suffers burn-related injuries. After being released from the hospital, he deals with the murderer of his lover Deepti. But his new face has given him new foes.
-3
Seven years ago, two men were notified that the women they both dated had disappeared after giving birth to a baby girl. Not knowing who the father was, the two bachelors decided to raise the baby together. Tang Xiang Xi, the smooth-talking lawyer, and Wen Zhen Hua, the sensitive florist, and the young Tang Wen Di make up a non-traditional family. Their unique living arrangement attracts the attention of the girl's pigheaded teacher and their reclusive next door neighbor.
1
The Special Duties Unit (SDU) is an elite paramilitary tactical unit of the Hong Kong Police Force and is considered one of the world's finest in its role. But being the best carries its own burdens. Like everyone else, they go through troubles with love, with family and with their jobs. And sometimes they get horny.  This touching story is about Special Duties Unit Team B and their trip to Macau for a weekend of unadulterated debauchery.
2
Explore the history and flavors of regional Indian cuisine, from traditional Kashmiri feasts to the vegetarian dishes of Gujarat.
0
Each year, the world’s best 7 year-old golfers descend on Pinehurst, North Carolina to compete in the World Championships of Junior Golf. The Short Game follows eight of these very young athletes on their quest to become the sport’s next phenom.
1
The movie follows a group of teenagers that are terrorized by an evil spirit. The film revolves around the traditional Filipino belief that one should never go home directly after visiting a wake since it risks bringing evil spirits or the deceased to one's home.
-3
The paths of four dream-chasing college friends cross with an array of colourful characters, from a tough-talking Punjabi female don to a Jugaad Baaz college watchman. Mayhem ensues.
0
A Christian kid suddenly is forced to go to a public school after his father dies and because of a misunderstanding everyone thinks that he's a Muslim.
-1
A television hosts wakes up to her true desires when his best friend's video goes viral.
1
Venky, who aspires to become a newsreader, must face the challenges posed by his boss, Uday. Things get worse when Uday seeks Venky's help to woo a girl in return for his desired post.
0
Pia, a typical “Mumbai” girl, makes her first ever day trip to Delhi and agrees to meet a possible match for marriage on her mother’s insistence. She lands in Delhi determined to reject the guy after meeting him because after all he’s from “Delhi”. However, as it turns out she loses her phone while fighting with an auto driver and meets Goli Kohli, a witty “Delhi” boy who grudgingly agrees to help her. One thing leads to another and they end up spending the entire day together. They fight, they argue, they laugh and share a lifetime of emotions in one day. When they meet in the morning they are strangers with strong biases about Mumbai & Delhi, when they part in the evening, the biases have turned into affection for each other’s quirks and finally, love.
-1
An adaptation of Yinka Egbokhare's novel. The story of a young sickle-cell patient and the various social and emotional challenges she's faced with.
1
This is the story of Amit and Samara - two souls in Mumbai, a city of millions and how the universe conspires to bring them together. This is a coming of age film about how two people are destined to meet but only when their individual lives are ready for each other. Through a chance encounter, a series of coincidences and fates helping hand, Amit and Samaras lives intersect and affect each other. Whether they can find their true paths or not, only time will tell.
2
A young woman develops romantic feelings for her best friend, but problems arise when another gal enters the picture.
1
Brothers Peddodu and Chinnodu are unemployed and do not get along well due to their contrasting natures. They have problems marrying the women they love before an accident changes their lives.
0
A royal prince arrives on an island of fascist rule and inspires a rebellion among its women in this hallucinogenic adaptation of a classic play.
0
A conflict between a Palestinian artist and an Israeli soldier is told in a surrealist style.
-1
An intimate, and often humorous, portrait of three generations of exile in the refugee camp of Ein el-Helweh, in southern Lebanon. Based on a wealth of personal recordings, family archives, and historical footage, the film is a sensitive, and illuminating study of belonging, friendship, and family in the lives of those for whom dispossession is the norm, and yearning their daily lives.
3
Abhirup is a typical Bengali guy who has a happy family but he doesn't know how to protest. Everything was going very good but suddenly from his office to his personal life so many problems accrued in his life due to his scaredy attitude. Then his imaginary childhood friend Anjan comes into his life and changes his life completely.
-1
Two innocent brothers are assigned a mission by a terrorist to detonate a bomb.
-1
Yacine is the veterinarian of the only zoo remaining in the Palestinian West Bank. He lives alone with his 10-year old son, Ziad. The kid has a special bond with the two giraffes in the zoo. He seems to be the only one to communicate with them. After an air raid in the region the male giraffe dies. His mate, Rita, won’t survive unless the veterinarian finds her a new companion. The only zoo that might provide this animal is located in Tel Aviv ...
1
Sundeep leads a double life when he marries two women and keeps them from one another. His carefully planned life unravels when an old friend who knows his secret arrives looking to fall in love.
1
Seema rejects six marriage proposals set by her father and leaves for Goa. After Jai and Omi fail to impress her, they come up with a cruel plan when they realise that their friend Sid is dating her.
-2
It's Christmas, and BoJack wants nothing to do with it. Then Todd shows up with a giant candy cane and an old "Horsin' Around" Christmas episode.
0
A four-year-old Raju receives super human strength when his then pregnant mother accidentally consumes a compound created by his scientist father.
1
A detective and a psychologist investigating a string of murders form a crime-solving team with the novelist whose work inspired the killings.
-1
Friends Motu and Patlu get more maritime excitement than anticipated when the sinking of their ship sends them on a journey through the ocean floor!
0
When director Philippe Aractingi is forced to leave his motherland for the third time, the realisation dawns on him: his ancestors have been fleeing wars for five generations. Exploring his roots, Aractingi goes back to the fall of the Ottoman Empire, the creation of Israel and the Lebanese Civil War. Experimenting with a radical new film-making style, he interlaces directed scenes and archive images with video-filmed personal diaries, family photos and super 8 reels.
-1
Gopala Krishna (Ajay) is a 40 year old man who has got married at an early age. He falls in love with an young aerobic instructor Samhitha (Sana Maqbool). He helps her out and wins her trust. He gets close to her heart. His son Madhu (Naga Shourya) is a college student and he likes Samhitha (an elder by 2 years) without knowing that his father is in love with her. Rest of the story is all about what happens when he comes to know that his father is in love with Samhita and consider marrying her.
5
A dream of the hope for intimacy and love in a brutal, divisive world.
0
Sudha Mishra is 67 years old, divorced woman that leaves the responsibility of taking care of her house by Sumit, her niece’s fiancé. The most important instruction given to Sumit was to ‘Feed The Fish & Water The Plants’. His very acceptance into the family was dependent on this instruction. When she returns a month later to her Vasant Kunj house, everything seems to be in order till she opens the bedroom door and a woman wearing white, wailing loudly.
1
Six years before Saul Goodman meets Walter White. We meet him when the man who will become Saul Goodman is known as Jimmy McGill, a small-time lawyer searching for his destiny, and, more immediately, hustling to make ends meet. Working alongside, and, often, against Jimmy, is “fixer” Mike Ehrmantraut. The series tracks Jimmy’s transformation into Saul Goodman, the man who puts “criminal” in “criminal lawyer".
-1
When a young boy vanishes, a small town uncovers a mystery involving secret experiments, terrifying supernatural forces, and one strange little girl.
-2
The gripping, decades-spanning inside story of Her Majesty Queen Elizabeth II and the Prime Ministers who shaped Britain's post-war destiny. 

The Crown tells the inside story of two of the most famous addresses in the world – Buckingham Palace and 10 Downing Street – and the intrigues, love lives and machinations behind the great events that shaped the second half of the 20th century. Two houses, two courts, one Crown.
6
Eleanor Shellstrop, an ordinary woman who, through an extraordinary string of events, enters the afterlife where she comes to realize that she hasn't been a very good person. With the help of her wise afterlife mentor, she's determined to shed her old way of living and discover the awesome (or at least the pretty good) person within.
6
A top Israeli agent comes out of retirement to hunt for a Palestinian militant he thought he'd killed, setting a chaotic chain of events into motion.
-1
Loving parodies of some of the world's best-known documentaries. Each episode is shot in a different style of documentary filmmaking, and honors some of the most important stories that didn't actually happen.
3
A gritty chronicle of the war against Colombia's infamously violent and powerful drug cartels.
-2
A show of heroic deeds and epic battles with a thematic depth that embraces politics, religion, warfare, courage, love, loyalty and our universal search for identity. Combining real historical figures and events with fictional characters, it is the story of how a people combined their strength under one of the most iconic kings of history in order to reclaim their land for themselves and build a place they call home.
4
Three years after Mike bowed out of the stripper life at the top of his game, he and the remaining Kings of Tampa hit the road to Myrtle Beach to put on one last blow-out performance.
1
Mia, an aspiring actress, serves lattes to movie stars in between auditions and Sebastian, a jazz musician, scrapes by playing cocktail party gigs in dingy bars, but as success mounts they are faced with decisions that begin to fray the fragile fabric of their love affair, and the dreams they worked so hard to maintain in each other threaten to rip them apart.
-1
Saitama is a hero who only became a hero for fun. After three years of “special” training, though, he’s become so strong that he’s practically invincible. In fact, he’s too strong — even his mightiest opponents are taken out with a single punch, and it turns out that being devastatingly powerful is actually kind of a bore. With his passion for being a hero lost along with his hair, yet still faced with new enemies every day, how much longer can he keep it going?
3
Bored and unhappy as the Lord of Hell, Lucifer Morningstar abandoned his throne and retired to Los Angeles, where he has teamed up with LAPD detective Chloe Decker to take down criminals. But the longer he's away from the underworld, the greater the threat that the worst of humanity could escape.
-6
Written by Robert Siegel (BIG FAN), THE FOUNDER is a drama that tells the true story of how Ray Kroc (Michael Keaton), a salesman from Illinois, met Mac and Dick McDonald, who were running a burger operation in 1950s Southern California. Kroc was impressed by the brothers' speedy system of making the food and saw franchise potential. He maneuvered himself into a position to be able to pull the company from the brothers and create a billion-dollar empire.
1
Normal high school kids by day, protectors of Paris by night! Miraculous follows the heroic adventures of Marinette and Adrien as they transform into Ladybug and Cat Noir and set out to capture akumas, creatures responsible for turning the people of Paris into villains. But neither hero knows the other’s true identity – or that they’re classmates!
3
A private eye investigates the apparent suicide of a fading porn star in 1970s Los Angeles and uncovers a conspiracy.
-2
Hundreds of years from now, the last surviving humans discover the means of sending consciousness back through time, directly into people in the 21st century. These "travelers" assume the lives of seemingly random people, while secretly working as teams to perform missions in order to save humanity from a terrible future.
-1
Brakebills University is a secret institution specializing in magic. There, amidst an unorthodox education of spellcasting, a group of twenty-something friends soon discover that a magical fantasy world they read about as children is all too real— and poses grave danger to humanity.
0
What starts as a YouTube video going viral, soon leads to problems for the teenagers of Lakewood and serves as the catalyst for a murder that opens up a window to the town's troubled past. Everyone has secrets. Everyone tells lies. Everyone is fair game.
-2
Bruce Campbell reprises his role as Ash Williams, an aging lothario and chainsaw-handed monster hunter who’s spent the last three decades avoiding maturity, and the terrors of the Evil Dead. But when a Deadite plague threatens to destroy all of mankind, he’s forced to face his demons — both metaphorical and literal.
-6
After 29-year-old Adaline recovers from a nearly lethal accident, she inexplicably stops growing older. As the years stretch on and on, Adaline keeps her secret to herself  until she meets a man who changes her life.
-1
Rebecca Bunch is a successful, driven, and possibly crazy young woman who impulsively gives up everything - her partnership at a prestigious law firm and her upscale apartment in Manhattan - in a desperate attempt to find love and happiness in that exotic hotbed of romance and adventure: suburban West Covina, California.
2
When carefree teenager Jay sleeps with her older boyfriend for the first time, she learns that she is the latest recipient of a fatal curse that is passed from victim to victim via sexual intercourse. Death, Jay learns, will creep inexorably toward her as either a friend or a stranger. Jay's friends don't believe her seemingly paranoid ravings, until they too begin to see the phantom assassins and band together to help her defend herself.
-8
The world's greatest feline fighter, lover and milk connoisseur is back in this original series filled with daring adventures, great boots, and laugh-out-loud fun! The entire family will be entranced by Puss' fantastical CG world filled with new characters, exotic locations and mystical tales that make up the stuff of legends. There's nothing that can get in this celebrated swashbuckling kitty's way...except maybe a hairball.
7
With the nation of Panem in a full scale war, Katniss confronts President Snow in the final showdown. Teamed with a group of her closest friends – including Gale, Finnick, and Peeta – Katniss goes off on a mission with the unit from District 13 as they risk their lives to stage an assassination attempt on President Snow who has become increasingly obsessed with destroying her. The mortal traps, enemies, and moral choices that await Katniss will challenge her more than any arena she faced in The Hunger Games.
-4
Prairie Johnson, blind as a child, comes home to the community she grew up in with her sight restored. Some hail her a miracle, others a dangerous mystery, but Prairie won’t talk with the FBI or her parents about the seven years she went missing.
1
Susan Morrow receives a book manuscript from her ex-husband – a man she left 20 years earlier – asking for her opinion of his writing. As she reads, she is drawn into the fictional life of Tony Hastings, a mathematics professor whose family vacation turns violent.
-2
The story of two brothers who, even though they have absolutely nothing in common, open a bar together that quickly becomes a regular hangout for nighthawks. Despite the success, they must soon face up to the difficulties inherent in running a family business. Their brotherhood turns into rivalry, through no fault of their own.
-2
When heroes alone are not enough ... the world needs legends. Having seen the future, one he will desperately try to prevent from happening, time-traveling rogue Rip Hunter is tasked with assembling a disparate group of both heroes and villains to confront an unstoppable threat — one in which not only is the planet at stake, but all of time itself. Can this ragtag team defeat an immortal threat unlike anything they have ever known?
-2
A five-year-old Indian boy gets lost on the streets of Calcutta, thousands of kilometers from home. He survives many challenges before being adopted by a couple in Australia; 25 years later, he sets out to find his lost family.
-2
Twenty-four-year-old Kara Zor-El, who was taken in by the Danvers family when she was 13 after being sent away from Krypton, must learn to embrace her powers after previously hiding them. The Danvers teach her to be careful with her powers, until she has to reveal them during an unexpected disaster, setting her on her journey of heroism.
-2
Tom Kirkman, a low-level cabinet member is suddenly appointed President of the United States after a catastrophic attack during the State of the Union kills everyone above him in the Presidential line of succession.
-3
When the old-old-old-fashioned vampire Vlad arrives at the hotel for an impromptu family get-together, Hotel Transylvania is in for a collision of supernatural old-school and modern day cool.
2
Adam Jones is a Chef who destroyed his career with drugs and diva behavior. He cleans up and returns to London, determined to redeem himself by spearheading a top restaurant that can gain three Michelin stars.
4
Thirty years ago, in the sleepy community of Waterbury, a killer known as “The Executioner” murdered Sarah Bennett's parents. Now Sarah and her husband Dylan have returned to town, only to find herself the centerpiece in a series of horrifying murders centered around the seven deadly sins.
-5
One gunshot, one death, one moment out of time that irrevocably links eight minds in disparate parts of the world, putting them in each other's lives, each other's secrets, and in terrible danger. Ordinary people suddenly reborn as "Sensates."
-3
When a woman is rescued from a doomsday cult and lands in New York City, she must navigate a world she didn’t think even existed anymore.
-1
Rebellious Mickey and good-natured Gus navigate the thrills and agonies of modern relationships.
0
A medical student who becomes a zombie joins a Coroner's Office in order to gain access to the brains she must reluctantly eat so that she can maintain her humanity. But every brain she eats, she also inherits their memories and must now solve their deaths with help from the Medical examiner and a police detective.
-2
After moving to a small town, Zach Cooper finds a silver lining when he meets next door neighbor Hannah, the daughter of bestselling Goosebumps series author R.L. Stine. When Zach unintentionally unleashes real monsters from their manuscripts and they begin to terrorize the town, it’s suddenly up to Stine, Zach and Hannah to get all of them back in the books where they belong.
-2
The funny, heartfelt story of The Kims, a Korean-Canadian family, running a convenience store in downtown Toronto. Mr. and Mrs. Kim ('Appa' and 'Umma') immigrated to Toronto in the '80s to set up shop near Regent Park and had two kids, Jung and Janet who are now young adults. However, when Jung was 16, he and Appa had a major falling out involving a physical fight, stolen money and Jung leaving home. Father and son have been estranged since.
-2
Elegant, proper Grace and freewheeling, eccentric Frankie are a pair of frenemies whose lives are turned upside down - and permanently intertwined - when their husbands leave them for each other. Together, they must face starting over in their 70s in a 21st century world.
2
Billy "The Great" Hope, the reigning junior middleweight boxing champion, has an impressive career, a loving wife and daughter, and a lavish lifestyle. However, when tragedy strikes, Billy hits rock bottom, losing his family, his house and his manager. He soon finds an unlikely savior in Tick Willis, a former fighter who trains the city's toughest amateur boxers. With his future on the line, Hope fights to reclaim the trust of those he loves the most.
6
Competitors re-create weapons from historical periods ranging from Japanese katanas to medieval broadswords to ancient throwing blades. Each entry is judged on its artistry as well as its functionality and accuracy.
1
The story of the Medici family of Florence, their ascent from simple merchants to power brokers sparking an economic and cultural revolution. Along the way, they also accrue a long list of powerful enemies.
0
Norsemen is an epic and humorous drama series set in the Viking Age. The residents of an 8th-century Viking village experience political rivalry, social change and innovations that upend their culture and way of life.
1
At a top Paris talent firm, agents scramble to keep their star clients happy—and their business afloat—after an unexpected crisis.
-1
Bob Lee Swagger is an expert marksman living in exile who is coaxed back into action after learning of a plot to kill the president.
-4
An unprecedented look at life behind bars at Indiana's Clark County Jail as seven innocent volunteers are sent to live among its general population for 60 days without officers, fellow inmates, or staff knowing their secret.
0
A psychic doctor, John Clancy, works with an FBI special agent in search of a serial killer.
0
Nicholas Hathaway, a furloughed convict, and his American and Chinese partners hunt a high-level cybercrime network from Chicago to Los Angeles to Hong Kong to Jakarta. As Hathaway closes in, the stakes become personal as he discovers that the attack on a Chinese nuclear power plant was just the beginning.
-1
The abrupt end of an illicit love affair leads 20-something Trevor on a downward spiral - of sex, drugs, and rock-and-roll - while forces beyond his control begin to intervene.
0
Teresa flees Mexico after her drug-runner boyfriend is murdered. Settling in Dallas, she looks to become the country's reigning drug smuggler and to avenge her lover's murder.
-2
Lovable and friendly, the trolls love to play around. But one day, a mysterious giant shows up to end the party. Poppy, the optimistic leader of the Trolls, and her polar opposite, Branch, must embark on an adventure that takes them far beyond the only world they’ve ever known.
3
A deaf woman is stalked by a psychotic killer in her secluded home.
-2
Ricky is a defiant young city kid who finds himself on the run with his cantankerous foster uncle in the wild New Zealand bush. A national manhunt ensues, and the two are forced to put aside their differences and work together to survive.
-1
When a Hollywood star mysteriously disappears in the middle of filming, the studio sends their fixer to get him back.
-1
Looking for work, Aaron comes across a cryptic online ad: “$1,000 for the day. Filming service. Discretion is appreciated.” Low on cash and full of naiveté, he decides to go for it. He drives to a cabin in a remote mountain town where he meets Josef, his cinematic subject for the day. Josef is sincere and the project seems heartfelt, so Aaron begins to film. But as the day goes on, it becomes clear that Josef is not who he says, and his intentions are not at all pure.
5
Malcolm is carefully surviving life in a tough neighborhood in Los Angeles while juggling college applications, academic interviews, and the SAT. A chance invitation to an underground party leads him into an adventure that could allow him to go from being a geek, to being dope, to ultimately being himself.
1
In a land controlled by feudal barons, a great warrior and a young boy embark on a journey across a dangerous land to find enlightenment. 

A genre-bending martial arts series very loosely based on the classic Chinese tale Journey to the West.
2
A dramatic thriller that explores the demons lurking beneath the surface of a contemporary American family. The Rayburns are hard-working pillars of their Florida Keys community. But when the black sheep son comes home for the 45th anniversary of his parents' hotel, he threatens to expose the Rayburns' dark secrets and shameful past, pushing his siblings to the limits of family loyalty.
-3
In the aftermath of a family tragedy, an aspiring author is torn between love for her childhood friend and the temptation of a mysterious outsider. Trying to escape the ghosts of her past, she is swept away to a house that breathes, bleeds… and remembers.
-3
Living a bleak existence at a London orphanage, 12-year-old Peter finds himself whisked away to the fantastical world of Neverland. Adventure awaits as he meets new friend James Hook and the warrior Tiger Lily. They must band together to save Neverland from the ruthless pirate Blackbeard. Along the way, the rebellious and mischievous boy discovers his true destiny, becoming the hero forever known as Peter Pan.
-3
A series of events leads single, 25-year-old Mikuri Moriyama and 36-year-old Hiramasa Tsuzaki to marry as a cover.
1
Beneath the placid facade of Canberra, amidst rising tension between China and America, senior political journalist Harriet Dunkley uncovers a secret city of interlocked conspiracies, putting innocent lives in danger including her own.
-3
A documentary on the unrest in Ukraine during 2013 and 2014, as student demonstrations supporting European integration grew into a violent revolution calling for the resignation of President Viktor F. Yanukovich.
-2
A search for the crème de la crème of British pastry. Teams consisting of three professional pastry chefs compete for the title.
0
An ex-cop entered a prison as convicted under a false identity in order to infiltrate within a group of prisoners that has just kidnapped the teenage daughter of an important national judge.
-2
Satoru Fujinuma is a struggling manga artist who has the ability to turn back time and prevent deaths. When his mother is killed he turns back time to solve the mystery, but ends up back in elementary school, just before the disappearance of his classmate Kayo.
-4
Vanessa Helsing, the daughter of famous vampire hunter and Dracula nemesis Abraham Van Helsing is resurrected five years in the future to find out that vampires have taken over the world and that she possesses unique power over them. She is humanity’s last hope to lead an offensive to take back what has been lost.
-1
A comedy drama that crashes straight into the lives and loves of six twenty-something adults living together as Property Guardians in a disused hospital.
0
Maria Altmann, an octogenarian Jewish refugee, takes on the Austrian government to recover a world famous painting of her aunt plundered by the Nazis during World War II, she believes rightfully belongs to her family. She did so not just to regain what was rightfully hers, but also to obtain some measure of justice for the death, destruction, and massive art theft perpetrated by the Nazis.
2
Being a pro athlete didn't pan out for Colt. Now he's helping his dad and brother keep the ranch afloat, and figuring out how he fits into the family.
0
Henry, a newly resurrected cyborg who must save his wife/creator from the clutches of a psychotic tyrant with telekinetic powers, AKAN, and his army of mercenaries. Fighting alongside Henry is Jimmy, who is Henry's only hope to make it through the day. Hardcore Henry takes place over the course of one day, in Moscow, Russia.
-1
An eight-year-old boy is willing to do whatever it takes to end World War II so he can bring his father home. The story reveals the indescribable love a father has for his little boy and the love a son has for his father.
3
Somewhere in Tokyo, there is a room. In that room is a black sphere. Periodically, people who should otherwise have died are transferred to the room. There, the sphere gives them special suits and weapons, and sends them out on a mission to kill aliens here on Earth. While these missions take place, the rest of the world is largely oblivious to them. These missions are lethal - few participants survive them. The sphere calls the shots, and it's not the slightest bit nice. Its name... Gantz.
-3
This stylish mix of documentary and historical epic chronicles the reign of Commodus, the emperor whose rule marked the beginning of Rome's fall.
0
In London for the Prime Minister's funeral, Mike Banning discovers a plot to assassinate all the attending world leaders.
-2
Marcella is shocked to the core of her being when her husband Jason leaves her unexpectedly, confessing he no longer loves her. Heartbroken, Marcella returns to the Met’s Murder Squad. Ten years ago Marcella gave up her fast-tracked police career to marry and devote her life to her family. With the abrupt end to her marriage and isolated from her 13 year old daughter and 10 year old son, Marcella throws herself into work to stop herself from falling apart.
-4
When sudden tragedy forces a deputy to step into the role of governor, she faces grueling political and personal tests in order to lead her state.
0
Reclusive, socially awkward jingle composer Toon must navigate the nightmarish world of show biz after a viral video skyrockets him to fame.
-1
With stunning views of eruptions and lava flows, Werner Herzog captures the raw power of volcanoes and their ties to indigenous spiritual practices.
2
A young man washes ashore, his memory gone - but his past comes back to haunt him after he is nursed back to health and his killing ability is needed when he takes on a powerful drug lord.
-1
Eight years after fleeing the Congo following his assassination of that country's minister of mining, former assassin Jim Terrier is back, suffering from PTSD and digging wells to atone for his violent past. After an attempt is made on his life, Terrier flies to London to find out who wants him dead -- and why. Terrier's search leads him to a reunion with Annie, a woman he once loved, who is now married to an oily businessman with dealings in Africa.
-2
The story of a young Louis XIV on his journey to become the most powerful monarch in Europe, from his battles with the fronde through his development into the Sun King. Historical and fictional characters guide us in a world of betrayal and political maneuvering, revealing Versailles in all its glory and brutality.
-1
A group of young men and women in Dublin in 1916 are embroiled in a fight for independence during the Easter Rising. The story begins with the outbreak of World War I. As expectations of a short and glorious campaign are dashed, social stability is eroded and Irish nationalism comes to the fore. The tumultuous events that follow are seen through the eyes of a group of friends from Dublin, Belfast and London as they play vital and conflicting roles in the narrative of Ireland's independence.
-2
Needing a secluded place for a late-night tryst, two couples stow away in a mall after hours, but are quickly ensnared in a gruesome and deadly game.
-2
Drinking the tasty Folk Soda puts a spring in the 101 Year Old Man’s step and his next adventure takes him around the World and back to Sweden, during which time he is chased by the CIA, a Balinese debt collector and becomes an executive at a soft drink company.
0
Storks is an original story that will look at the birds’ mythical role in bringing new babies into the world.
0
Filmed over 10 years, this real-life thriller follows a DNA exoneree who, while exposing police corruption, becomes a suspect in a grisly new crime.
-4
In 1965 Los Angeles, a widowed mother and her two daughters add a new stunt to bolster their séance scam business and unwittingly invite authentic evil into their home. When the youngest daughter is overtaken by the merciless spirit, this small family confronts unthinkable fears to save her and send her possessor back to the other side.
-3
The unscrupulous world of the Greenleaf family and their sprawling Memphis megachurch, where scandalous secrets and lies are as numerous as the faithful. Born of the church, the Greenleaf family love and care for each other, but beneath the surface lies a den of iniquity—greed, adultery, sibling rivalry and conflicting values—that threatens to tear apart the very core of their faith that holds them together.
-3
In the 1970s, television reporter Christine Chubbuck struggles with depression and professional frustrations as she tries to advance her career.
-3
Three high school students decide to escape the mundane urban environment and embark on a fishing adventure.
-1

Detectives from the present and a detective from the past communicate via walkie-talkie to solve a long-time unsolved case.
-1
Modest and humble teacher Vasily is caught on camera raging over the miserable situation in his country. When a pupil posts the video on Youtube, it becomes a viral sensation. Everybody loves Vasily’s outrage and people start gathering money for a presidential campaign. Which he wins! Servant of the People follows Vasily’s new life as president; he has no interest in changing his life, he wants to stay the same, live in his flat with his parents, borrow money from his friends at the end of the month and take his bike to work; it’s just that now his work is as the most powerful man in the country.
5
In a docuseries set at one of NCAA football's most fertile recruiting grounds, guys with red flags seek to prove their worth on the field and in class.
2
A dark comedy about brothers running a drug-dealing business out of their takeout pizzeria.
-1
A family returns from a Grand Canyon vacation with a supernatural presence in tow.
1
Alice Howland, happily married with three grown children, is a renowned linguistics professor who starts to forget words. When she receives a devastating diagnosis, Alice and her family find their bonds tested.
1
An American nanny is shocked that her new English family's boy is actually a life-sized doll. After she violates a list of strict rules, disturbing events make her believe that the doll is really alive.
-3
In the near future, Norway is occupied by Russia on behalf of the European Union, due to the fact that the newly elected environmental friendly Norwegian government has stopped the all important oil- and gas-production in the North Sea.
2
A portrait of Zion Clark, a young wrestler who was born without legs and grew up in foster care.
0
Cassie Nightingale, Middleton’s favorite enchantress, and her young-teenage daughter Grace, who shares that same special intuition as her mom, welcome Dr. Sam Radford and his son to town. When the New York transplants move in next to the Grey House, they are immediately spellbound by the mother-daughter duo next door, but Sam and Cassie quickly find they may not see eye to eye. With her signature charm, Cassie attempts to bring everyone together, ensuring all of Middleton is in for new changes, big surprises and, of course, a little bit of magic!

"Good Witch” is based on Bell’s beloved character Cassie, the raven-haired enchantress who kept audiences spellbound for seven installments of Hallmark Channel's longest-running and highest-rated original movie franchise of all time.
10
Siblings Emma, Ravi, and Zuri Ross leave their extravagant New York City penthouse once again to return to Camp Kikiwaka, a rustic summer camp in Maine where their parents met as teenagers.
-1
Continuing his "legendary adventures of awesomeness", Po must face two hugely epic, but different threats: one supernatural and the other a little closer to his home.
1
30-year-old New York actor Dev takes on such pillars of maturity as the first big job, a serious relationship, and busting sex offenders on the subway.
0
Delve into the oddball family life of Miranda Sings, an incredibly confident, totally untalented star on the rise, who continues to fail upward by the power of her belief that she was born famous, it's just no one knows it yet.
2
Three siblings who break away from a lackluster temple tour in a jungle finds themselves immersed in a real-life mission comprised of obstacles that they must complete in order to escape alive.
-3
When Earth is taken over by the overly-confident Boov, an alien race in search of a new place to call home, all humans are promptly relocated, while all Boov get busy reorganizing the planet. But when one resourceful girl, Tip, manages to avoid capture, she finds herself the accidental accomplice of a banished Boov named Oh. The two fugitives realize there’s a lot more at stake than intergalactic relations as they embark on the road trip of a lifetime.
0
Wyatt Earp's great granddaughter Wynonna battles demons and other creatures with her unique abilities and a posse of dysfunctional allies - the only thing that can bring the paranormal to justice.
0
Bianca's universe turns upside down when she learns that her high school refers to her as a ‘DUFF' (Designated Ugly Fat Friend). Hoping to erase that label, she enlists the help of a charming jock and her favorite teacher. Together they'll face the school's mean girl and remind everyone that we are all someone's DUFF… and that's totally fine.
0
A boy imagines a monster that helps him deal with his difficult life and see the world in a different way.
-2
A police officer and a doctor face an emotionally charged mystery when seven local residents inexplicably return from the dead in peak physical form.
-2
The chaotic and violent struggle to control wealth and power in the North American fur trade in late 18th century Canada. Told from multiple perspectives, Frontier takes place in a world where business negotiations might be resolved with close-quarter hatchet fights, and where delicate relations between native tribes and Europeans can spark bloody conflicts.
-4
Freed after 20 years in prison, the child killer Guy Beranger found refuge with the monks in Vielsart, a small village in Belgian's Ardennes. He is placed under the protection of a young Federal Police's inspector, Chloé Muller. A little while after his release, a little girl disappears.
0
Follow the Murphy family back to the 1970s, when kids roamed wild, beer flowed freely and nothing came between a man and his TV.
-1
Garkfunkel and Oates: Trying to Be Special is the first special by the musical comedy duo of Kate Micucci and Riki Lindhome. The pair filmed the special at the Neptune Theatre in Seattle, and it features songs, comedy, and a new Garfunkel and Oates music video.
0
Recounts the tumultuous history of Cuba, a nation of foreign conquest, freedom fighters and Cold War political machinations.
-1
This homage to 1980s teen sex comedies follows a college quiz bowl champion who knows almost everything -- except how to talk to women.
2
After a publisher changes a writer's debut novel about a deadly assassin from fiction to nonfiction, the author finds himself thrust into the world of his lead character, and must take on the role of his character for his own survival.
-1
Illusionist Derren Brown reinvents the concept of "faith healing" through a series of stunts that debunk the confines of fear, pain and disbelief.
-3
When a young village boy discovers that his brother, long believed to be in America, has actually gone missing, he begins to invent letters on his behalf to save their mother from heartbreak, all the while searching for him.
0
An in-depth look at the prison system in the United States and how it reveals the nation's history of racial inequality.
-2
See a different side of Snoop Dogg in this unique documentary, which details the famous rapper's efforts to mentor young athletes and create opportunities for them to compete at the highest level of youth football. We'll meet the kids and coaches that form Snoop's squad -- and witness the important life lessons they learn with every game.
2
When Juan Catalan is arrested for a murder he insists he didn't commit, he builds his case for innocence around unexpected raw footage.
-2
In a future where the elite inhabit an island paradise far from the crowded slums, you get one chance to join the 3% saved from squalor.
1
The story of DI Kari Sorjonen of the Serious Crime Unit in Lappeenranta, his family, and his investigations into a variety of harrowing homicides around the border area.
0
While vacationing at a mountain cabin, a group of longtime friends uncovers an old scandal that could have deadly consequences.
-2
Şehnaz, a young female psychiatrist from Istanbul, starts mandatory duty in a provincial town. Back in the city, she maintains a marriage that looks flawless on the outside. Elmas, a young woman on the verge of breakdown, opens a new path in her.
0
The comic comes home to Toronto to sound off on cultural quirks, furniture building and bathroom visits, revelling in all things ridiculously human.
-1
Connor, Greg and Amaya are normal kids by day, but at night they activate their bracelets, which link into their pajamas and give them fantastic super powers, turning them into their alternate identities: The PJ Masks. The team consists of Catboy (Connor), Gekko (Greg) and Owelette (Amaya). Together, they go on adventures, solve mysteries, and learn valuable lessons.
2
In this intense and heart pounding supernatural thriller, Jessie (Kate Bosworth) and Mark (Thomas Jane) decide to take in a sweet and loving 8-year-old boy, Cody. Unbeknownst to them, Cody is terrified of falling asleep. At first, they assume his previous unstable homes caused his aversion to sleep, but soon discover why: Cody's dreams manifest in reality as he sleeps. In one moment they experience the incredible wonder of Cody's imagination, and in the next, the horrific nature of his night terrors. To save their new family, Jessie and Mark embark on a dangerous hunt to uncover the truth behind Cody's nightmares.
-4
A cohabiting couple in their 20s navigate the ups and downs of work, modern-day relationships and finding themselves in contemporary Bengaluru.
1
A creative and driven teenager is desperate to escape his hometown and the haunting memories of his turbulent childhood.
-2
Crime journalist Raphael Rowe goes behind the bars of some of the world’s most notorious and toughest prisons. Immersing himself in maximum security facilities around the world to live as a prisoner, he encounters the inmates locked up for their crimes and meets the men and women on the right side of law tasked with keeping the criminals behind bars.
-4
After uncovering a mysterious amulet, an average teen assumes an unlikely destiny and sets out to save two worlds.
-1
Gifted with a wide assortment of supernatural abilities ranging from telepathy to x-ray vision, Kusuo Saiki finds this so-called blessing to be nothing but a curse. As all the inconveniences his powers cause constantly pile up, all Kusuo aims for is an ordinary, hassle-free life—a life where ignorance is bliss.
0
A head cheerleader's life takes an unexpected twist when her rifle-like throwing arm takes her from the sidelines to becoming her middle school’s starting quarterback. Bella Dawson is a confident, caring and talented teenager, who suddenly finds herself fulfilling a lifelong dream but also having to navigate the world of her teammates Troy, Sawyer and Newt, without losing her two best friends, Pepper and Sophie from the cheer squad.
1
"SNL" star Michael Che takes on hot-button topics like inequality, homophobia and gentrification in this stand-up set filmed live in Brooklyn.
0
As Po looks for his lost action figures, the story of how the panda inadvertently helped create the Furious Five is told.
-1
When the patriarch of a prominent family dies, his heirs battle to determine who will gain control of his beloved soccer team: The Cuervos of Nuevo Toledo.
3
In a near-future city where soaring opulence overshadows economic hardship, Gwen and her daughter, Jules, do all they can to hold on to their joy, despite the instability surfacing in their world.
-1
Hip-Hop today is a global culture that has changed music, dance, fashion, language —and even politics. But where did this worldwide cultural movement begin? We trace hip-hop back to its humble beginnings, when the kids of the Bronx crammed into house parties, rec rooms, and public parks to hear music like they’d never heard it before.
2
Michael Mason is an American pickpocket living in Paris who finds himself hunted by the CIA when he steals a bag that contains more than just a wallet. Sean Briar, the field agent on the case, soon realises that Michael is just a pawn in a much bigger game and is also his best asset to uncover a large-scale conspiracy.
-1
A nostalgic trip back to the late 1980s through the lives of five families and their five teenage kids living in a small neighborhood in Seoul.
0
Set nearly a decade after the finale of the original series, this revival follows Lorelai, Rory and Emily Gilmore through four seasons of change.
1
A simple, street-smart man tries to protect his family from a tough cop looking for his missing son.
2
As the world is in the middle of an industrial revolution, a monster appears that cannot be defeated unless its heart, which is protected by a layer of iron, is pierced. By infecting humans with its bite, the monster can create aggressive and undead creatures known as Kabane. On the island Hinomoto, located in the far east, people have built stations to shelter themselves from these creatures. People access the station, as well as transport wares between them, with the help of a locomotive running on steam, called Hayajiro. Ikoma, a boy who lives in the Aragane station and helps to build Hayajiro, creates his own weapon called Tsuranukizutsu in order to defeat the creatures. One day, as he waits for an opportunity to use his weapon, he meets a girl named Mumei, who is excused from the mandatory Kabane inspection. During the night, Ikuma meets Mumei again as he sees Hayajiro going out of control. The staff on the locomotive has turned into the creatures. The station, now under attack by Kabane, is the opportunity Ikoma has been looking for.
-1
A special-ops team is dispatched to fight supernatural beings that have taken over a European city.
0
18-year-old Layla, a Dutch girl with Moroccan roots, joins a group of radical Muslims. She encounters a world that nurtures her ideas initally, but finally confronts her with an impossible choice.
-2
Jack is a solitary man with a mysterious past. His strange habits will soon become stranger when his past catches up with him.
-3
The longtime mayor of Marseille is preparing to hand over the reins to his protégé when a sudden and ruthless battle erupts for control of the city.
-1
A vigilante network taking out corrupt officials draws the notice of the authorities.
-1
Simon is an adorable little rabbit who exudes all the vitality of childhood. He's at an age when little rabbits (and indeed little children!) are starting to come into their own - challenging relationships with parents, embarking upon school life, learning about the world in general, dealing with authority and of course, language.
0
T@gged is a modern day thriller that explores the terrifying risks of social media in a world of anonymity.
0
The story of Richard and Mildred Loving, an interracial couple, whose challenge of their anti-miscegenation arrest for their marriage in Virginia led to a legal battle that would end at the US Supreme Court.
3
One of the greatest neuroscience breakthroughs is having discovered that babies are far more than a genetic load. The development of all human beings lies on the combination of genetics, the quality of the relationships and the environment they are set on.  The Beginning of Life invites everyone to reflect: are we taking good care of this unique moment, which defines both the present and future of humankind?
2
Worlds collide when a vengeance-obsessed young woman from the other side of the tracks captures the attention of two well-off friends.
0
Known for always saying the unexpected and telling it like it is, even at the expense of offending, Louisiana comedian Theo Von returns home to film his first stand-up comedy special for Netflix at the Civic Theater in New Orleans.
-1
Ronny is a rebellious man, who falls in love with Sia but circumstances separate them. Years later, Ronny learns that Sia is abducted by a martial arts champion, Raghav.
0
Comedian Sebastian Maniscalco performs his third Showtime special at the Beacon Theatre in Manhattan.
0
Todd grew up under the strange shadow of his older mentally challenged brother Shonzi. As kids, Shonzi forced Todd to make action movies. As adults he pressures him to share love life details, even showing Shonzi a sex tape he made with an old girlfriend to help him cope when family tragedy hits. When their dad suffers a heart attack, Shonzi (now 40, and still a virgin) moves in with Todd and his new girlfriend Lindsay. Shonzi wants desperately to be included in their relationship like old times. When Shonzi’s begging become threats to reveal secrets from their past, Todd must find the courage to be honest with Lindsay, even if it means the end of their relationship.
-3
While video chatting one night, six high school friends receive a Skype message from a classmate who killed herself exactly one year ago. At first they think it's a prank, but when the girl starts revealing the friends' darkest secrets, they realize they are dealing with something out of this world, something that wants them dead.
-2
Comedy soap opera re-imagining the lives of the British Royal Family as you have never seen them before.
0
Mike Birbiglia shares a lifetime of romantic blunders and misunderstandings. On this painfully honest but hilarious journey, Birbiglia struggles to find reason in an area where it may be impossible to find: love.
-1
A bad girl and a province boy found love in the state of being broken and in the process of healing.
-1
After Shideh's building is hit by a missile during the Iran-Iraq War, a superstitious neighbor suggests that the missile was cursed and might be carrying malevolent Middle-Eastern spirits. She becomes convinced a supernatural force within the building is attempting to possess her daughter Dorsa, and she has no choice but to confront these forces if she is to save her daughter and herself.
-4
When a Las Vegas bodyguard with lethal skills and a gambling problem gets in trouble with the mob, he has one last play… and it's all or nothing.
-2
Enjoy this crackling fireplace during a holiday party or a cozy night in. Shot in stunning 4K Ultra HD, this music-free fireplace video flickers, crackles and adds warmth to any room. Loop video playback for continuous enjoyment.
4
Emmy-winning comedian Dana Carvey blends pitch-perfect tales on big personalities with so-true-it-hurts stories from his life as a dad of millennials.
0
When his long-lost outlaw father returns, Tommy "White Knife" Stockburn goes on an adventure-filled journey across the Old West with his five brothers.
-2
'Wazir' is a tale of two unlikely friends, a wheelchair-bound chess grandmaster and a brave ATS officer. Brought together by grief and a strange twist of fate, the two men decide to help each other win the biggest games of their lives. But there's a mysterious, dangerous opponent lurking in the shadows, who is all set to checkmate them.
-6
The friendship, laughter and shared love between two brothers is tested when a 14-year-old boy is confronted with the complexities of a simple relationship.  Gaurav finds out that his elder brother Mihir is gay. He is unable to accept this as he looks up to Mihir, a high-school jock whom every girl fancies. Adding to his woes, the girl he fancies 'friend-zones' him.  'How to fix your gay kid' is what their mother types into internet search when Mihir reveals his sexual orientation and wishes to come out of the closet.
1
The comic innovator delivers a surreal set blending experimental songs, jokes about grits, guns and drugs, and other improvised comedy adventures.
0
Retreating from life after a tragedy, a man questions the universe by writing to Love, Time and Death. Receiving unexpected answers, he begins to see how these things interlock and how even loss can reveal moments of meaning and beauty.
-2
Set up to take the blame for corporate fraud, young Macarena Ferreiro is locked up in a high-security women's prison surrounded by tough, ruthless criminals in this tense, provocative Spanish thriller.
-6
On a desolate island, a suicidal sheep named Franck meets his fate…in the form of a quirky salesman named Victor, who offers him the gift of a lifetime. The gift is many lifetimes, actually, in many different worlds – each lasting just a few minutes. In the sequel to the pilot, Franck will find a new reason to live…in the form of a bewitching female adventurer named Tara, who awakens his long-lost lust for life. But can Franck keep up with her?
-2
Having suffered a tragedy, Ben becomes a caregiver to earn money. His first client, Trevor, is a hilarious 18-year-old with muscular dystrophy. One paralyzed emotionally, one paralyzed physically, Ben and Trevor hit the road on a trip into the western states. The folks they collect along the way will help them test their skills for surviving outside their calculated existence. Together, they come to understand the importance of hope and the necessity of true friendship.
-2
G.J. Echternkamp tells the story of his relationship with his parents, his mother Cindy and his step-father, Frank. Frank used to be a member of OXO, a band from the '80s whose one hit wonder scored with the song "Whirly Girl". Cindy was the ultimate groupie who married Frank and thought life would be glamorous and award shows, but it's not how it turned out.
3
It's not her first talk show, but it is a first of its kind. Ideas, people and places that fascinate her, all in her unique style.
1
Unleashing his inquisitive, intense comedic style, Rogan explores everything from raising kids and Santa Claus to pot gummies and talking to dolphins.
-1
An unconventional thinker helps a budding cinematographer gain a new perspective on life.
1
The drama is centered on four friends and business partners who in one evening are forced to find a way to save their company and themselves. The impossible decision they face is agreeing on who will be the one to sacrifice their freedom to save the others from personal and financial demise. It is a race against time that will put their friendship and sanity to the test. Who will take the fall?
-2
Eager contestants don big heads and furry suits to vie for the title of World's Best Mascot.
2
The adventures of the Nekton family, a family of daring underwater explorers who live aboard a state-of-the-art submarine, The Aronnax, and explore uncharted areas of the earth's oceans to unravel the mysteries of the deep.
0
As a small-town girl catapults from underground video sensation to global superstar, she and her three sisters begin a one-in-a-million journey of discovering that some talents are too special to keep hidden. Four aspiring musicians will take the world by storm when they see that the key to creating your own destiny lies in finding your own voice.
2
Raj is a Mafia member. One day he meet a girl (Meera) while chasing by his rival gang and falls in love with her. Later he finds out that this girl is the daughter of the leader of his rival gang. Yet their love story continues until he was shot by his girlfriend upon a deep misunderstanding. After that incident these two lovers lives separate until their siblings fallen in love. With this new love story their paths intertwines again.
0
This eclectic, star-studded anthology follows diverse Chicagoans fumbling through the modern maze of love, sex, technology and culture. First dates, friends with benefits, couples with kids. Whatever your relationship status is, it's always complicated.
2
A fateful meeting with a mysterious stranger inspires Pee-wee Herman to take his first-ever holiday.
-3
Follow the heroic adventures of the Skylanders team, a group of heroes with unique elemental skills and personalities who travel the vast Skylands universe, protecting it from evil-doers and showing the next wave of Academy cadets how to do things the “Skylander way.”
3
The young Shivudu is left as a foundling in a small village by his mother. By the time he’s grown up, it has become apparent that he possesses exceptional gifts. He meets the beautiful warrior princess Avanthika and learns that her queen has been held captive for the last 25 years. Shividu sets off to rescue her, discovering his own origins in the process.
2
Follow the shocking, yet humorous, journey of an aspiring environmentalist, as he daringly seeks to find the real solution to the most pressing environmental issues and true path to sustainability.
1
The story of two lovers who are united in an environment hostile to dating of any kind. Barakah is municipal civil servant from Jeddah and an amateur actor in a theatre troupe. Barakah is a wild beauty, who functions as a crowd-puller for her stylish mother’s boutique and runs her own widely-seen vlog. They both defy customs and traditions, as well as the religious police, using modern communication technologies and traditional dating methods.
2
Two old friends living in a dystopic future become trapped in a mysterious time loop — one that may have something to do with an ongoing battle between an omnipotent corporation and a ragtag band of rebels.
-2
In the late 1960s, a Los Angeles police sergeant with a complicated personal life starts tracking a small-time criminal and budding cult leader seeking out vulnerable women to join his “cause.” The name of that man is Charles Manson.
-3
A mother travels to Patagonia with her autistic son with the hope that a ranger and a pod of wild orcas can help him find an emotional connection.
-1
Shouya Ishida starts bullying the new girl in class, Shouko Nishimiya, because she is deaf. But as the teasing continues, the rest of the class starts to turn on Shouya for his lack of compassion. When they leave elementary school, Shouko and Shouya do not speak to each other again... until an older, wiser Shouya, tormented by his past behaviour, decides he must see Shouko once more. He wants to atone for his sins, but is it already too late...?
-4
Phantom is an action thriller that unfolds across various countries around the world. The plot revolves around protagonist Daniyal, whose journey to seek justice takes him from India to Europe, America and the volatile Middle East. However, he finds out that in a mission like this, there is always a price to pay, in this case, a very personal price.
-1
A princess descended from a ruined noble family disguises herself as the woman who saved her life and embarks on a mission to avenge her loved ones.
0
Upon turning eight-teen, Salih leaves the orphanage to find his lost family and begins working in a Serbian farm. Suddenly, at the most unexpected moment he has found a home. Will he ever be able to let go of the ghosts of his past and be happy in this new life? As tension escalates disquieting secrets surface. A gripping tale of family, love and identity, My Mother's Wound follows Salih as he searches for a trail of hope amongst war-torn lives.
-3
The forest ranger's house is the only area of human civilization in the middle of untamed wilderness in a vast natural reserve in Canada. When the ranger is away, a bear named Grizzy feels that the ranger's house is his territory, given that bears sit at the top of the food chain. After making his way inside the home, Grizzy takes advantage of all the modern conveniences there, including a comfortable sofa, air conditioning and fully equipped kitchen. He's not alone, though, because a group of small creatures called lemmings also populate the ranger's house when he is away. Because Grizzy and the lemmings are not civilized enough to live together in peace, it becomes an atmosphere of madness when the two sides try to outdo each other with tricks.
6
One of Spain's best talent agents in the '90s, Paquita now finds herself searching desperately for new stars after suddenly losing her biggest client.
0
The life of Star Trek's Mr. Spock — as well as that of Leonard Nimoy, the actor who played Mr. Spock for almost fifty years —written and directed by his son, Adam.
1
Anya and Daniel just moved to their new house in Bandung. Daniel brings home a doll from his workplace. Anya, who is a dollmaker, welcomes the doll happily to their house. They later learned that the doll belonged to a little girl named Uci, who died when she and her family were brutally murdered in a robbery. Strange things begin to happen.....
-1
In a country of 1.2 billion people and in a sport with billions of fans worldwide, there has yet to be a single Indian-born player drafted in the NBA. One in a Billion follows the global journey of Satnam Singh Bhamara from his home of Ballo Ke, a farming village in rural India, to the bright lights of New York City as he attempts to change history. Building up to a climactic draft night after years of hard work, Satnam hopes to finally create the long-awaited connection between India and the NBA.
1
As daily airstrikes pound civilian targets in Syria, a group of indomitable first responders risk their lives to rescue victims from the rubble.
-1
What is it that makes a man fall in love with a woman at first sight? Appearance? Aura? Wealth? NO, when campus prince and gaming expert, student Xiao Nai first saw Bei Wei Wei, what made him fall in love was not her extraordinary beauty, but her slim and slender fingers that were flying across the keyboard and her calm and composed manner!!! Embarrassing, no? At the same time, gaming expert Bei Wei Wei, at this time and place is on the computer, methodically commanding a guild war, and won a perfect and glorious victory despite being at a disadvantage, and was completely unaware that cupid is nearby. Soon after basketball player, swimmer, all-around excellent student, and game company president, Xiao Nai, uses both tactics on and off-line to take this beauty’s heart. Therefore this romance slowly bloomed. ~~ Drama adapted from the novel by Gu Man.
7
Thomas and Thomas are going through a rough patch: they are both thirty-something actors living in Paris. They randomly decide to leave the city and fly away to Kullorsuaq, one of the most remote villages of Greenland, where Thomas' father Nathan lives. Among the Inuit community, they will discover the charms of the local customs and their friendship will be challenged.
-1
Amsterdam, Netherlands, 1944, during World War II. Andries Riphagen, a powerful underworld boss, has made his fortune by putting his many criminal talents at the service of the Nazi occupiers. But the long battle is about to end and the freedom fighters, who have been persecuted and murdered for years, are abandoning their hideouts to mercilessly hunt down those who have collaborated with the killers.
1
A first-ever look at the realities of the professional “amateur” porn world and the steady stream of 18-to-19-year old girls entering into it.
1
With help from a 102-year-old goblin dwelling beneath their haunted apartment building, two siblings deal with ghosts and take on spooky mysteries.
-2
A history of the Australia comedy troupe The Janoskians leading up to their live performance at Wembley Stadium.
1
Historian Dan Jones explores the millennium of history behind six of Great Britain's most famous castles: Warwick, Dover, Caernarfon, the Tower of London, Carrickfergus, and Stirling.
2
Audrey is determined not to be defined by motherhood. In theory, this seems fairly easy. In practice, her career-focused husband, self-obsessed mother & fancy-free best friend, make it damn near impossible.
1
A patriotic bodyguard who was abandoned by his country and colleagues, a hidden daughter of leading Presidential candidate who regards love as a tool for revenge, and the First Lady contender who hides her ambition and charisma behind a kind and friendly personality.
5
More than sixty years after leaving high school, former classmates Alicia, Gema, Angelica, Ximena and Maria Teresa are still devoted to their regular catch-ups in which they exchange gossip and reminiscences over elaborately presented afternoon teas. Impeccably turned out, the ladies’ free-wheeling tea-time chats run the gamut from mortality and marital infidelity to soccer and twerking.
0
Tola, Elizabeth, Maria and Kate are four friends forced at midlife to take inventory of their personal lives, while juggling careers and family against the sprawling backdrops of the upper middle-class neighbourhoods of Ikoyi and Victoria Island in Lagos.
0
Danger Mouse is back saving London, saving the World and, most importantly, saving Penfold in brand new and fantastically absurd, energetic adventures.
0
D.J. Tanner-Fuller is a widow and mother of three. Things become too much to handle, so she asks for help from her sister Stephanie and her best-friend Kimmy.
0
Five unlikely teenage heroes and their flying robot lions unite to form the megapowerful Voltron and defend the universe from evil.
-1
Australia’s very own Willy Wonka Adriano Zumbo and acclaimed British chef Rachel Khoo go in search of Australia’s sweetest home cooks. Amateur dessert makers from around the country will put their sweet baking skills to the test until the ultimate dessert king or queen is crowned.
3
The true story of Assis Chateaubriand, the first magnate of communications in Brazil. Due to his influence during the late 1930s up to the early 1960s, he has come to be called 'the Brazilian Citizen Kane'.
0
Faced with unfortunate complications beyond her control, go-getter events manager Andi Medina has no other person to turn to. She is then forced to reconnect with her ex-boyfriend, cosmetic surgeon Max Labarador. Much to Andi’s shock, Max is already in a three-year live-in relationship with pediatric oncologist Christian Pilar. With nowhere else to go and left with no other options, she agrees to live with the couple – both parties agreeing into a deal that will change the course of their lives and hearts.
-3
An exorcist comes up against an evil from his past when he uses his skills to enter the mind of a nine year old boy.
0
A young couple bound by a seemingly ideal love, begins to unravel as unexpected opportunities spin them down a volatile and violent path and threaten the future they had always imagined.
-3
An energetic and fast-paced bio-doc that examines the story behind one of the most prolific and well-known DJs working today: Steve Aoki.
4
A high school girl finally gets her own apartment, but she has to share it with the most popular boy in school. No one can know they're living together.
1
When Mikazuki Augus, a young member of a private security company known as the CGS, accepts a mission to protect a young woman seeking to liberate the Martian city of Chryse from Earth’s rule, he sets off a chain of events that threatens to send the galaxy back to war.
2
Young pilot Branson (Louis Koo) recently takes over Skylette, his father's aviation empire, only to realise his old flames Cassie (Charmaine Sheh) is a flight attendant there. Several years ago, he was forced to break up with her and move to New York to take care of his father's business. To this day, the two continue to harbour feelings for each other but decide to keep them bottled up. In an effort to rebrand the airline, Branson invites rock idol TM to star in an upcoming commercial and appoints Sam (Francis Ng) as her flying consultant. In congruent in both tastes and experience, this odd couple gets off on the wrong foot. As the shoot progresses, however, they slowly discover each other's merits, developing a strong mutual attraction. Jayden (Julien Cheung) has left Skylette Airline to become a pilot for private jets. He meets the young and vivacious Kika (Kuo Tsai Chieh) during a flight and assumes her to be wayward and shallow...
0
A Bedouin village in Northern Israel. When Jalila's husband marries a second woman, Jalila and her daughter's world is shattered, and the women are torn between their commitment to the patriarchal rules and being true to themselves.
1
After falling in love, three roommates experience changes in their lives.
0
In a ghetto where religion and drug trafficking rub shoulders, Dounia has a lust for power and success. Supported by Maimouna, her best friend, she decides to follow in the footsteps of Rebecca, a respected dealer. But her encounter with Djigui, a young, disturbingly sensual dancer, throws her off course.
1
A teenager who went missing and was presumed dead returns home after eight years to find a family deeply affected by his disappearance. Gradually, doubts arise about whether he really is the missing boy or an impostor.
-2
Ali Senay and Ilber, the two partners of Senay Cüccaciye, sell garden dwarfs. When their company starts to dwindle, they decide to participate in a gardening fair in Sofia with the plan to meet new people from the sector in an attempt to drum up new business. Things don't go as planned as they find themselves crossing paths with the wrong people hell bent on causing world chaos.
-3
17 years ago, immortals first appeared on the battlefields of Africa. Later, rare, unknown new immortal lifeforms began appearing among humans, and they became known as "Ajin" (demi-humans). Just before summer vacation, a Japanese high school student is instantly killed in a traffic accident on his way home from school. However, he is revived, and a price is placed on his head. Thus begins a boy's life on the run from all of humankind.
-1
A hardened cop deals with three conflicting perspectives involving a brutal double murder. The case is complicated as the prime suspects are the parents who supposedly killed their teenage daughter.
-7
Meeting by chance when they return to their tiny California hometown, two former high-school sweethearts reflect on their shared past.
1
When a band of brutal gangsters led by a crooked property developer make a play to take over the city, Master Ip is forced to take a stand.
-1
The story of a drifter named Paul who arrives in a small town seeking revenge on the thugs who murdered his friend. Sisters Mary Anne and Ellen, who run the town's hotel, help Paul in his quest for vengeance.
-3
After eight years of sharing snippets of his life online, see the intimate truth of Tyler Oakley's relationship with family, followers and fame on his sold out international tour.
2
Granted unprecedented access, Berlinger captures renowned life and business strategist Tony Robbins behind the scenes of his mega seminar Date with Destiny, pulling back the curtain on this life-altering and controversial event, the zealous participants and the man himself.
0
Five top-level staff of a company are selected for a retreat where the new CEO of a global company will be chosen. What starts off as cordial soon goes sour as they attempt to outdo one another to be named "The CEO."
-1
Based on the experiences of Agu, a child fighting in the civil war of an unnamed, fictional West African country. Follows Agu's journey as he's forced to join a group of soldiers. While he fears his commander and many of the men around him, his fledgling childhood has been brutally shattered by the war raging through his country, and he is at first torn between conflicting revulsion and fascination.
-5
In this interplanetary adventure, a space shuttle embarks on the first mission to colonize Mars, only to discover after takeoff that one of the astronauts is pregnant. Shortly after landing, she dies from complications while giving birth to the first human born on the red planet – never revealing who the father is. Thus begins the extraordinary life of Gardner Elliot – an inquisitive, highly intelligent boy who reaches the age of 16 having only met 14 people in his very unconventional upbringing.
0
Nollywood superstars Ramsey Nouah, Rita Dominic, and Chidi Mokeme headline this gripping drama set against the backdrop of the attempted 1976 military coup against the government of General Murtala Mohammed.
0
Based on the award-winning educational apps, the StoryBots are curious little creatures who live in the world beneath our screens and go on fun adventures to help answer kids' questions, like how night happens or why we need to brush our teeth.
2
Follow a group of high school freshmen, sophomores, juniors, and seniors from Degrassi Community School, a fictional school in Toronto, Ontario, as they encounter some of the typical issues and challenges common to a teenager's life.
-2
Set in 2050, Kong becomes a wanted fugitive after wrecking havoc at Alcatraz Island’s Natural History and Marine Preserve. What most humans on the hunt for the formidable animal don’t realize, though, is that Kong was framed by an evil genius who plans to terrorize the world with an army of enormous robotic dinosaurs. As the only beast strong enough to save humanity from the mechanical dinos, Kong must rely on the help of three kids who know the truth about him.
0
Alain Delambre, unemployed and 57, is lured by an attractive job opening. But things get ugly when he realizes he’s a pawn in a cruel corporate game.
-2
The life of a bank manager is turned upside down when a friend from his past manipulates him into faking his own death and taking off on an adventure.
-1
Between is the story of a town under siege from a mysterious disease that has wiped out everybody except those 21 years old and under. The series explores the power vacuum that results when a government has quarantined a 10-mile diameter area and left the inhabitants to fend for themselves.
-2
Carlos is a professionally frustrated screenwriter, and Irene is not sure what she wants to do with her life. When Irene meets Carlos at a coffee shop, she approaches him and, although she doesn't know him, proposes to play a game.
-1
Orphaned siblings Pari and Chotu embark on a journey to restore Chotu's eyesight.
0
With nothing off-limits, David Cross is unapologetic, insightful, and biting in his Netflix original stand-up comedy special, MAKING AMERICA GREAT AGAIN. Filmed live at The Paramount Theatre in Austin, TX, Cross takes aim the current political landscape.
2
During Carnival in São Paulo, a young man and young woman who knew each other as children meet again after many years and the social barriers that have kept them apart. Bad decisions lead the boy to hide with the girl inside a whale float.
0
Years after the events of Predacons Rising, Bumblebee is summoned back to Earth to battle several of Cybertron's most wanted Decepticons that escaped from a crashed prison ship and assembles a team of young Autobots that includes Sideswipe (a rebel "bad boy bot"), Strongarm (an Elite Guard cadet), Grimlock (a bombastic Dinobot), and Fixit (a hyperactive Mini-Con with faulty wiring).
-4
Pandi and his friends, immigrant workers in Andhra Pradesh, are picked up by cops for a crime they never committed. And thus begins their nightmare, where they become pawns in a vicious game where the voiceless are strangled by those with power.
-3
President Vasily Goloborodko is in power for almost half a year. The economic situation in the country had deteriorated: prices are rising and the national currency has depreciated. People's confidence in the President is rapidly falling. To stabilize the situation in the country Goloborodko needs to get financial assistance from the IMF in the amount of 15 billion euros, which can be provided, if reforms and anti-corruption laws will be introduced in Ukraine.
2
A woman is torn between trying to save her failing marriage or pursuing the possibility of a new love.
0
A story of lost love, young love, a legendary sword and one last opportunity at redemption.
3
Life is ever-delightful — and ever-challenging — for a group of friends in their twilight years as they rediscover themselves through love and family.
1
David, a struggling comedy writer fresh off from breaking up with his boyfriend, moves from New York City to Sacramento to help his sick mother. Living with his conservative father and much-younger sisters for the first time in ten years, he feels like a stranger in his childhood home. As his mother’s health declines, David frantically tries to extract meaning from this horrible experience and convince everyone (including himself) that he's "doing okay.”
-6
A suspect is killed while the ICAC team is investigating illegal soccer gambling in Hong Kong.
-3
ACP Yashvardhan teams up RAW Agent KK to bring down the master mind terrorist, Shiv.
1
Budhia Singh – Born To Run is an Indian biographical sports film directed by Soumendra Padhi. It is based on Budhia Singh, who ran 48 marathons — one of which was from Bhubaneshwar to Puri, when he was a five-year-old.
0
Irish Commandant Pat Quinlan leads a stand off with troops against French and Belgian Mercenaries in the Congo during the early 1960s.
1
Afonsinho, Paulo Cézar Caju and Nei Conceição started their careers in the mid-1960s, a time of strong political repression in Brazil. Originally teammates of a celebrated generation of the Botafogo football team superstars, they did not give up their freedom when the military dictatorship decided to take control of the field.
2
Naz who is a paediatrician loses her baby during pregnancy. Even though her husband wants another baby, she refuses to go through the same thing all over again. She goes to Italy for a conference and meets Ali Nejat there.
-2
The Avengers are forced to “party” with Ultron when he seeks to disassemble the team by taking control of Iron Man’s armor and enact a nefarious scheme to take over the world.
-1
A profoundly personal voyage into the complexity, fragility and wonder of the human brain, after Lotje Sodderland miraculously survives a hemorrhagic stroke and finds herself starting again in an alien world, bereft of language and logic. This feature documentary takes us on a genre-twisting tale that is by turns excruciating and exquisite - from the devastating consequences of a first-time neurological experiment, through to the extraordinary revelations of her altered sensory perception.
3
Bill Murray worries no one will show up to his TV show due to a massive snowstorm in New York City. Through luck and perseverance, guests arrive at Gotham’s Carlyle Hotel to help him — dancing and singing in holiday spirit.
1
Ricardo O'Farrill brings his sharp, observational humor to the stage with a relentless sarcasm and specific Mexican sensibility. Prepare for mockery.
-1
In 1977 New York City, the talented and soulful youth of the South Bronx chase dreams and breakneck beats to transform music history.
2
Set amidst the 1999 student strikes in Mexico City, this coming-of-age tale finds two brothers venturing through the city in a sentimental search for an aging legendary musician. Shot in black-and-white, Güeros brims with youthful exuberance.
2
Known for his spectacular pyrotechnic displays, Chinese artist Cai Guo-Qiang creates his most ambitious project yet: Sky Ladder, a visionary, explosive event that he pulls off in his hometown in China after 20 years of failed attempts.
1
Returning home to visit their ill grandfather, two estranged brothers must confront their unresolved rivalry while their parents’ marriage frays.
-4
What is it that makes a man fall in love with a woman at first sight? Appearance? Aura? Wealth? NO, when campus prince and gaming expert, student Xiao Nai first saw Bei Wei Wei, what made him fall in love was not her extraordinary beauty, but her slim and slender fingers that were flying across the keyboard and her calm and composed manner!!! Embarrassing, no? At the same time, gaming expert Bei Wei Wei, at this time and place is on the computer, methodically commanding a guild war, and won a perfect and glorious victory despite being at a disadvantage, and was completely unaware that cupid is nearby. Soon after basketball player, swimmer, all-around excellent student, and game company president, Xiao Nai, uses both tactics on and off-line to take this beauty’s heart. Therefore this romance slowly bloomed. ~~ Movie adapted from the novel by Gu Man.
7
A single-camera half-hour comedy based on what Maria Bamford has accepted to be "her life." It's the sometimes surreal story of a woman who loses — and then finds — her s**t.
0
For the members of the comedy troupe Asperger’s Are Us, it’s easier to associate with a faceless audience than with their own families. No matter who the crowd, best friends Noah, New Michael, Jack and Ethan have one simple mantra: “We would much rather the audience appreciate us as comedians than people who have overcome adversity.”  In this coming-of-age heartfelt documentary, this band of brothers finds themselves at a crossroad. With real life pulling them apart, they decide to plan one ambitious farewell show before they all go their separate ways. People with Asperger’s don’t deal well with uncertainty, and this is the most uncertain time in their lives.
5
The film chronicles Nina Simone's journey from child piano prodigy to iconic musician and passionate activist, told in her own words.
2
A Filipino general who believes he can turn the tide of battle in the Philippine-American war. But little does he know that he faces a greatest threat to the country's revolution against the invading Americans.
0
British comedian Jimmy Carr unleashes his deadpan delivery and wickedly funny one-liners to a sold-out audience at the UK's Hammersmith Apollo.
-2
In a massive, mysterious chamber, fifty strangers awaken to find themselves trapped with no memory of how they got there.  Organized in an inward-facing circle and unable to move, they quickly learn that every two minutes, one of them must die…executed by a strange device in the center of the room.
-5
When ordinary boy Davis suddenly becomes famous at school as people start to believe he's actually a vampire, vampire expert Cameron helps him act like a real vampire.
2
A young nurse takes care of elderly author who lives in a haunted house.
0
This action thriller narrates the tale of Gunpowder (RMD) and Timipre (Olu Jacobs), two natives of Oloibiri, the town where oil was first discovered in commercial quantity in Nigeria.  Gunpowder engages in violent struggle in protest to the squalid living conditions in his community despite their oil wealth; accusing Timipre’s generation of doing nothing whilst their land was exploited and plundered. (Amarachukwu Iwuala)
-4
How could twin sisters be such polar opposites? Kwon Shi Ah is the beautiful sister, gorgeous in every way and a member of the popular girl group known as Miracle Girls. Since she was in preschool, Shia has worked as a model and then a teen actress before becoming an idol. Her fraternal twin sister, Shi Yeon, is almost double the body size of Shi Ah and has always been ridiculed and bullied in school for her large frame. Because of this, Shi Yeon has become a recluse, who prefers staying home and producing an Internet broadcast within the safety of her room. The only time Shi Yeon ventures out is to visit a mysterious tarot card reader who gives Shi Yeon a magical tarot card every day. But the twin sisters’ lives are turned upside down when they wake up one day and realize that their souls have switched bodies! What will an idol musician and Shi Yeon’s high school crush think of the women they thought they knew?
7
A young girl and her coach overcome adversity to make their way into the National Australian Gymnastics Squad.
-1
A journalist who intents to write an article on traffic rule breakers gets dragged into a whirlpool of murder cases and deception.
-3
A purely observational non-fiction film that takes viewers into the ethically murky world of end-of-life decision making in a public hospital.
-1
The characters of Tagore’s stories spring into life through the cinematic imagination of acclaimed filmmaker, Anurag Basu in ‘Stories By Rabindranath Tagore’. ‘Stories By Rabindranath Tagore’ shares with us the intricately etched characters created by the master himself and brought onto the small screen by the visionary director of ‘Barfi’ and ‘Life in a Metro.’
3
Tells the story of Jesus Christ at age seven as he and his family depart Egypt to return home to Nazareth. Told from his childhood perspective, it follows young Jesus as he grows into his religious identity.
0
Jessica Darling – a smart, witty, opinionated girl heading into 7th grade – was never too concerned about where she'd fit in the middle school hierarchy. But before her first day of school, her older sister — the super popular Bethany, now in college—decides to help out by giving her the “It List”—a cheat sheet on how to navigate the middle school maze and rise to the top of the popularity chain. The instructions appear simple enough to follow, but, like life, nothing is as easy as it seems.
6
A documentary film about three cases of rape, that includes the stories of two American high school students, Audrie Pott and Daisy Coleman. At the time of the sexual assaults, Pott was 15 and Coleman was 14 years old. After the assaults, the victims and their families were subjected to abuse and cyberbullying.
-5
It's the first day of camp in this outrageous prequel to the hilarious 2001 cult classic movie. And at Camp Firewood, anything can happen.
1
Jay, Kumi, Crick, Buzz, and Walter are best friends who band together to explore and learn in an overgrown suburban backyard, which to them is their entire universe. Each episode of this animated series features songs by The Beatles performed by artists including Daniel Johns, Robbie Williams and Pink to tell uplifting and life-affirming stories filled with hope and melody.
2
Wildlife activists and investigators put their lives on the line to battle the illegal African ivory trade, in this suspenseful on-the-ground documentary.
-1
Desperate to be rid of her toddler, a dissatisfied Beverly Hills housewife hires a stranger to babysit and ends up getting much more than she bargained for.
-3
In his funky California beach enclave, Chip's the go-to guy for personal insights. But he isn't quite as enlightened when it comes to his own baggage.
-1
This gripping, atmospheric documentary recounts the infamous trial, conviction and eventual acquittal of Seattle native Amanda Knox for the 2007 murder of a British exchange student in Italy.
-2
The world's first family is back for more laughs as they discover sports, sleepovers and other wonders in a world of exotic creatures and adventures. This 2D animated cartoon is based on the 3D animated feature film, "The Croods".
1
The beautiful island of Oahu is host to a new batch of six strangers who share a single roof, multiple conflicts and no script in this reality series.
-1
Explored through the lenses of the four natural elements – fire, water, air and earth – COOKED is an enlightening and compelling look at the evolution of what food means to us through the history of food preparation and its universal ability to connect us. Highlighting our primal human need to cook, the series urges a return to the kitchen to reclaim our lost traditions and to forge a deeper, more meaningful connection to the ingredients and cooking techniques that we use to nourish ourselves.
2
When three college students move into an old house off campus, they unwittingly unleash a supernatural entity known as The Bye Bye Man, who comes to prey upon them once they discover his name. The friends must try to save each other, all the while keeping The Bye Bye Man's existence a secret to save others from the same deadly fate.
-2
A man's life is turned inside out after a visit from his college friend leads him into the unexpected.
0
The drama tells the story of air force pilots and their families from 1945 to 1971. As the husbands embarked on patriotic missions to fight against the enemies, their families must content with horror of wars, mass emigration to distant land, and death of love ones. Their shared experience brought the military families together to support one another.
1
A biopic of Barack Obama set during his time as a college student in New York City.
0
David and Monty, estranged half-brothers, train in mixed martial arts to earn a livelihood. However, things change when the two are forced to compete against each other in the final tournament.
-1
After being dumped by their respective lovers, Jake and Tintin cross paths at a resort and discover they have much in common.
0
Powerful but ill-stricken business woman, Vilma Santos navigates her complicated relationship with her caregiver, Angel Locsin and her estranged son, Xian Lim in this story about acceptance, love and forgiveness.
1
A radio journalist and his technician get in over their heads when they hatch a scheme to fake their own kidnapping during a rebel uprising in South America and hide out in New York instead.
-2
Summer, New York City. A college girl falls hard for a guy she just met. After a night of partying goes wrong, she goes to wild extremes to get him back.
-4
The murder of a female GP in a rural playground in front of numerous witnesses draws a group of detectives into an ever-darkening mystery that takes them across Europe, aided by mysterious notes sent by the "Ghost Detective".
-3
A portrait of Keith Richards that takes us on a journey to discover the genesis of his sound as a songwriter, guitarist and performer.
0
Amy and Raquel attempt to navigate their way through the choppy waters of their early twenties whilst simultaneously kicking the ass of some seriously gnarly demons. What could possibly go wrong?
-3
An intimate documentary that follows Tig Notaro, a Los Angeles based comedian, who just days after being diagnosed with invasive stage II breast cancer changed the course of her career with a poignant stand-up set that became legendary overnight. It explores Tig's extraordinary journey as her career ignites and as her life unfolds in grand and unexpected ways, all the while continuing to battle a life-threatening illness and falling in love.
0
When Dr. Claw returns, Inspector Gadget is brought out of retirement to defeat him again, now with Penny and Brain's open participation.
1
Centers around comedian Rob Schneider's real life while living in Hollywood.
0
Half dinosaur, half construction truck, full-on fun! Watch giant Ty Rux, his little buddy Revvit and the crew come face-to-face with evil D-Structs.
0
In the wake of World War II, 11 Allied judges are tasked with weighing the fates of Japanese war criminals in a tense international trial.
-2
Richie Rich is a boy who turned vegetables into a clean energy source. As a result, Rich now has over a trillion dollars. Rich lives with his family in a mansion filled with toys, contraptions, and his best friends Darcy and Murray are always by his side, along with Irona, Richie's robot maid, his dad Cliff, who loves naps and is a bit dense, and his jealous sister Harper. Also, Darcy loves spending money and Murray doesn't want anything out of budget.
5
The main actor believes that true success is the attaining WHAT money can't buy and encourages people to follow their dreams. He forms a huge following which becomes cult like following. Officials start feeling threatened and conspire to kill him.
0
Ved and Tara meet accidentally meet in Corsica, France and decide to spend the next 7 days together with secretly revealing their true identity or without any promise to meet later, ever. Tara eventually falls in love with Ved and goes to find Ved after 4 years, and helps him to find his true story where he belongs.
1
McKeyla, Adrienne, Bryden, and Camryn are four super smart and science-skilled girls recruited to join the spy organization, NOV8.
2
Armed with boyish charm and a sharp wit, the former "SNL" writer offers sly takes on marriage, his beef with babies and the time he met Bill Clinton.
1
Everything he's terrified of, she loves. Could this be love?
2
The film is based on Vince and Kath, an online series written by Jenny Ruth Almocera, which went viral, that told the story of two lovestruck teens, Vince and Kath, through text messages.
0
Go behind the scenes with social media sensation Cameron Dallas as he takes his career to the next level on an international tour.
1
Combining his trademark wit and self-deprecating humor with original music, Bo Burnham offers up his unique twist on life in this stand-up special about  life, death, sexuality, hypocrisy, mental illness and Pringles cans.
-3
Behind every powerful image is a powerful story. Uniting exploration, photography and the natural world, Tales By Light follows photographers from Australia and around the world as they push the limits of their craft.
1
Picking up where the 2015 film left off, this coming-of-age buddy comedy follows fearless Tip and overenthusiastic Oh, as they navigate the crazily combined human and alien culture they live in, finding adventure everywhere they go.
0
Six men and women start off as strangers and live together under one roof. All that is provided is a beautiful house and a car. There is no script.
0
In Universal Pictures’ Kevin Hart: What Now?, comedic rock-star Kevin Hart follows up his 2013 hit stand-up concert movie Let Me Explain, which grossed $32 million domestically and became the third-highest live stand-up comedy movie of all time. Hart takes center stage in this groundbreaking, record-setting, sold-out performance of “What Now?”—filmed outdoors in front of 50,000 people at Philadelphia’s Lincoln Financial Field—marking the first time a comedian has ever performed to an at-capacity football stadium.
3
1960s Turkey countryside. A newly assigned teacher finds out that the solitary village is missing a school. He gets fond of the village people and especially a disabled man. The teacher helps the village to build a new school and educate the children and the disabled man.
-1
With never-before seen home video, this film recounts the paranoid downward spiral of John E. du Pont and the murder of Olympic wrestler Dave Schultz.
-2
Ali Wong might be seven-months pregnant, but there’s not a fetus in the world that can stop this acerbic and savage train of comedy from delivering a masterful hour of stand-up.
-1
A family, blessed with richness and power, is desperately seeking for a liver for their father, who wants to hand down his wealth to the one who gets the organ.
0
In London, the life of Jean, a troubled crime scene cleaner, is turned upside down when his outlaw brother Martin crash lands into his world, entangling them in the deadly dynamics of organized crime.
-4
Earth is invaded by Aliens from outer space. An intermarried couple living in the city of Dubai are confined to their home due to the uncertainty of the situation. Disconnected from the world outside due to the loss of communication, they explore around their cultural differences in Science in order to understand the reason behind Aliens coming to our planet; only to find themselves caught between a series of extraterrestrial encounters at their very home.
-2
A behind the scenes look at the sport of rugby with the 2015 Rugby World Cup as a backdrop, featuring interviews from players, coaches, referees and fans.
0
When mecha attack a research center, its students, pilots, and researchers must fight back with the help of mysterious artifacts and a young samurai.
-2
Brought together at their childhood home over their dying mother, an estranged family is thrust into a deadly fight for their own survival.
-2
Meet Bailey, Franny, Kip and Lulu. They're adorable baby animals, and they want you to join the party and help them learn!
1
The story of two brothers: one who’s devoted to his family, the other who’s obsessed with the Manson Family.
0
On the final nights of a world tour, director Jonathan Demme captures what makes the show soar: gifted musicians, deft dancers and a magnetic star.
2
Niyazi, a veterinarian, is on the lookout for a special elixir for animals. What he doesn't yet know is a mobster and his estranged love is also on the lookout for that elixir.
-1
Romantic comedy drama about Dr. Hanafi family living in the city and the ills of their maids who come from all over the country.
1
XOXO follows six strangers whose lives collide in one frenetic, dream-chasing, hopelessly romantic night.
-2
The scientists of Jurassic World create a captivating and terrifying new creature that loves hot dogs. But what happens when the hot dogs run out?
4
On a cruise to celebrate their parents' 30th wedding anniversary, a brother and sister deal with the impact of family considerations on their romantic lives.
2
Before he lost his sight. Before he pledged his service to Kublai Khan. Hundred Eyes saw what made him into the deadly assassin who trains Marco Polo.
-3
Toro (Spanish for "Bull") is a young con man and the right hand of Romano, a powerful mob boss in Torremolinos, Málaga (Andalusia, south to Spain). After Toro decides to leave Romano to get a life free of crime, his last sting fails, resulting one of his brothers dead and he sent to jail. Five years later, Romano realizes that López, Toro's older brother, is robbing him money from his tourism business and he orders to kidnap Diana, López's little daughter, until this one get back the money. Without options, López visits Toro, now a touristic driver with the third grade prison close to get the parole, who only wants to be free to marry his girlfriend Estrella. When Toro accepts to help López and both meet Romano looking for a solution, Toro ends attacking Romano's men and fleeing with Diana, trying to escape from Romano's revenge. But Romano starts a ruthless searching for they three, meanwhile Toro counts the hours to back the prison according to the third grade...
-5
A camera crew catches up with David Brent, the former star of the fictional British series, "The Office" as he now fancies himself a rockstar on the road.
1
After an earthquake destroyed Xiang Qin's house, she and her father moved in with the family of her father's college buddy, Uncle Ah Li. To her surprise, the kind and amicable aunt and uncle are the parents of her cold and distant schoolmate Jiang Zhi Shu, a genius with an IQ of 200 whom not too long ago rejected her endless crush on him. Will the close proximity give her a second chance to win Zhi Shu's heart? Or, will her love for him end under his cold words? What happens when there is competition for his heart?
0
During the Indus valley civilization, an Indigo farmer strives for the justice and protection of the city of Mohenjo-Daro and its civilians from an evil politician.
0
The year 2015 CE.  The last era in which magecraft still thrived.  The Chaldea Security Organization was founded to focus on preserving the continuation of human history. They observe a world which magecraft couldn't observe and science couldn't measure all to prevent the certain extinction of humanity.  But one day, the future that Chaldea continued to observe disappears and humanity's extinction in 2017 becomes clear. Rather, it had already happened.  The cause seems to be related to Fuyuki, a provincial town in Japan, in the year 2004 CE. There, an "unobservable region" that had not existed before appears.  Based on the assumption that Fuyuki is the reason for humanity's extinction, Chaldea issues an order to explore, investigate, and possibly destroy this singularity – a quest for the Holy Grail, the Grand Order.
1
16-year-old Kelly quits an elite gymnastics program and moves to Australia. To help out a new friend and show up an old rival she re-enters competitive gymnastics, she'll have to find a way to move forward while making amends with her past.
1
Seo Yi-Kyung ambitiously wants to build her own empire. She is calm and also passionate. She doesn't believe greed is a sin. Park Gun-Woo possesses good looks and comes from a wealthy family that runs a large company. Seo Yi-Kyung is his first love and he is still in love with her. Lee Se-Jin comes from a poor background. She desperately wants to escape from her situation.
3
The world's smartest dog and his boy host a zany late-night comedy show from a swanky penthouse, with time-traveling historical figures and a live audience.
2
An ordinary bachelor pursues girls like a hunter, but not with the intention of settling down in life.
1
A woman struggling to meet airline baggage requirements meets a man who comes to her aid. They form a friendship that helps them mend each other's hearts.
-1
Elite snipers Brandon Beckett and Richard Miller are tasked with protecting a gas pipeline from terrorists looking to make a statement. When battles with the enemy lead to snipers being killed by a ghost shooter who knows their exact location, tensions boil as a security breach is suspected. Is there someone working with the enemy on the inside? Is the mission a front for other activity? Is the Colonel pulling the strings?
-4
When an old collaborator gets severely injured, a veteran policeman tries to figure out the way to bring to justice the ultimately suspected aggressor, a spoiled young executive, heir to a mega corporation, who believes he is above the law.
-2
Childhood friends Suresh and Vinnie want to become successful dancers. To fulfill their dreams, they form a dance group with their friends and compete in a hip-hop contest in Las Vegas.
1
The standup sensation tackle's TV's "Shark Tank," what it means to be a woman and how to deal with the lawless party goblin that lives in us all.
-2
After being dishonorably discharged from the Navy Seals, Bob and David are back serving our country the way they do best, making sketch comedy. Four half-hours of brand new comedy featuring all new characters, all new scenes, and most importantly, all new wigs. 
1
Drake gets into a betting game with his best friend which involves courting the unsuspecting Sophia. When Sophia finally falls for him Drake must tell her that everything was just a game, a bet.
-1
Colin Quinn returns to the stage in "Unconstitutional" where he tackles 226 years of American Constitutional calamities in 70 Minutes.
-2
The "SNL" veteran performs his off-Broadway show about the history of New York and the people who shape its personality.
0
When an earthquake hits a Korean village housing a run-down nuclear power plant, a man risks his life to save the country from imminent disaster.
-3
After the death of his wife and father, Kudret, who has always lived by the book, decides to go on a road trip to save a girl.
-1
Kari Byron, Tory Belleci and Grant Imahara rank history's greatest inventions, heists and more.
1
A young artist tries to win the heart of his muse, while her mother hatches a scheme to end his quest for true love.
2
Adhi and Tara are in a live-in relationship but they are both unwilling to get married. How do they realize that marriage is just a natural progression of their relationship?
-1
He's a kamikaze gambler. A one-arm cuddler. And if his fly is down, so be it. A night of sly riffs and slow burns.
-3
Tokunaga, a comedian who is down on his luck, has a shock encounter with Kamiya, an older comedian when he visits a fireworks event in Atami on a job. Tokunaga is deeply touched by Kamiya and asks if he can become his apprentice. Kamiya is a genius type of comedian who is full of human kindness. He accepts Tokunaga’s proposition on the condition that he will write his biography.
2
Ely, a young man who can't get over Celine, his past love, meets Mia, a young woman who escaped from a painful past in the Philippines and is trying her luck to rebuild her life in Spain. They meet. They fall in love. But can they overcome the hurt of the past to have a future together?
0
A traditional Turkish woman tries to find love and is forced by her family members to get married.
1
After moving to Kuala Lumpur, Diana lands a secretary job at an ironworks owned by her husband's old college friend, possibly the world's worst boss.
-1
Two people bound together in the same road and fall for each other in an unexpected way.
-2
A dramatic story about a girl and her giving father.
0
Three couples, each in different phases of romance, head to Ibadan for a fun and frisky holiday. But secrets soon spill, causing trouble in paradise.
1
Former SWAT leader David Hendrix and hard-partying movie star Brody Walker must cut their ride-along short when a police training facility is attacked by a team of mercenaries.
0
Based on the incredibly true story of a Spanish man with Multiple Sclerosis who tried to finish an Iron-Man: 3,8km swimming, 180km cycling and 42 running. And he was told that he could not make 100 meters.
1
Smart and brazen comedian Iliza Shlesinger shares her unflinchingly honest observations on the differences between men and women. Filled with hashtag-able catch phrases, this is a laugh-out-loud revelation exposing some of women’s best kept - and ugliest - secrets, including truths about first date attire, fantasy break-ups and the tireless pursuit of not being cold while still looking hot.
1
Comedian Chris Tucker performs live.
0
Estranged family members re-unite to determine whether to pull the family patriarch out of life support or not.
0
In a far away forgotten valley heaped with long-abandoned junk, a timeless battle rages between good and evil… and also between squishy and scaly, happy and grumpy, clever and wily… handsome and plain old ugly. This is the land of Bottersnikes and Gumbles.
-1
Ismail and his old screwball crew land themselves in hot water when his grandson's circumcision evolves into a buzz-making citywide event.
1
Demetri Martin brings his off-kilter take on acoustic guitar, hairless cats, color schemes, and the word "nope" to Washington in his original special.
0
Comedian and actor Chris D’Elia, known for his dynamic physical comedy, explains why the NFL would be way more entertaining if it were real lions, bears and Vikings battling each other, that babies are the worst prize ever, and that you should never ask a Cuban directions unless you’re ready for the best time of your life.
4
The film revolves around a Hindu man (Paresh Rawal) who goes through an identity crisis when he discovers he was adopted as a son in a Hindu family but was born in a Muslim family. The journey starts with finding his real father.
-1
In a witty solo show, Brent Morin serves up infectious laughs on the agony of puberty, hot guy problems and the time a girl dumped him for a magician.
-1
Jen Kirkman's Netflix produced stand-up special as performed at the North Door in Austin, Texas.
0
Actress and comedian Anjelah Johnson showcases her hilarious impressions to riff on European Gypsies, Vietnamese manicurists, Mexican moms, and more.
1
One man does all he can to veil his Asian heritage; the other takes great pains to hide his sexual orientation. Both of these things begin to change when Ryan is hired to prepare film star Ning for a fashion shoot, and the men develop a bond.
0
A story about an aspiring professional singer and a rock singer who collaborates in a song. As they work on their song, they start to develop feelings for each other.
1
A family movie that revolves around unlikely "parents" Arci and Paco. Arci gains custody of his best friend's children Megan and Ernie just before she dies. The children's uncle, Paco, has no choice but to join this newfound family. Arci and Paco will now embark on the craziest and greatest adventure of their lives as they play the roles of Momshie and Popshie to both Megan and Ernie.
2
A genetics professor experiments with a treatment for his comatose sister that blends medical and shamanic cures, but unlocks a shocking side effect.
0
Often in the backseat and a second priority to her partner, a lawyer decides to end her relationship and focuses on herself with a help of a man out of her league.
0
Kahraman is a naive and right-minded guy. In a lovely Anatolian town, he earns a living as an attendant in a Turkish bath inherited from his great grandfathers. One day, a wealthy constructor named Tuncay wants to demolish the bath and the marketplace it is located in, and build a mall in their place. Barber Cemil, Kahraman's enemy, convinces the craftsmen in the marketplace and collaborates with Tuncay to start the demolishment immediately. Kahraman does not want the marketplace he was born into to be demolished and he does not believe in the empty promises of Tuncay.
1
Unlock the secrets of the Dragon Eye and come face to face with more dragons than anyone has ever imagined as Hiccup, Toothless and the Dragon Riders soar to the edge of adventure.
0
Eun Ha-Won is a college student. She is a bright girl who wants to be a veterinarian, but at home she is lonely. She is isolated from her family members. Eun Ha-Won lives with father, step-mother and step-sister after her mother died in a car accident. One day, she helps a mysterious old man. The old man suggests to her to live in a mansion and pursue her dream of becoming a veterinarian. Since than, she moves into the mansion and lives with three cousins Kang Ji-Woon, Kang Hyun-Min, Kang Seo-Woo and their bodyguard Lee Yoon-Sung.
-3
Two women working in the same industry with the exact same name keep getting their lives entangled both professionally and personally.
0
This incredibly disturbing story follows the exploitation of an apprentice butcher, Hermógenes, and his trial after he murders his boss in broad daylight. Hermógenes, a farmhand from northern Argentina, relocates to Buenos Aires in search of a better life for himself and his young wife, but soon finds himself at the mercy of a corrupt boss. The film is based on a thorough investigation of a real event that happened in Buenos Aires 10 years ago. Almost every scene in the film is inspired by real facts or based on well documented daily practices of the “meat business” and its environment. Both a shocking exposé of unscrupulous practices in the meat industry and a heart-wrenching personal story, El Patrón became one of the most successful Argentine films of 2014.
-2
Rainbow Ruby is the story of a spunky, resourceful little girl who magically transports to Rainbow Village, a whimsical land inhabited by her toys, and transforms into different jobs to help save the day! This CGI-animated preschool series takes the childhood fantasy of dolls come to life, and mixes in an aspirational heroine who proves that you can be anything you want to be!
2
An anthology of human relationship stories connected by the only open in the wee hours diner the characters frequent. Resolutions are often facilitated by the owner/chef.
0
Furry little bunnies hop through wild adventures as they find solutions, fun and sometimes mischief wherever there is light.
-1
An egotistic top male model and a pretty model wannabe are forced to live each other's lives until they figure out a way to undo their body switch.
2
The lives of teenagers Emma, Cleo and Rikki are forever changed when a magical, forbidden island gives them the power to turn into mermaids.
0
This fantasy drama follows an indie band singer who repeatedly undergoes unwanted time slips and the girlfriend he must save from an unlucky fate.
-2
Comedy following Cho Seok's ridiculous but hilarious adventures with his girlfriend-turned-wife Ae Bong, their dogs, older brother Jo Joon, and parents. Based on the popular webtoon series of the same name.
1
While studying at university, Zhao Mosheng fell in love at first sight with law student He Yichen. Through various incidents where Mosheng "stalked" Yichen on campus, Mosheng's cheerful personality charmed Yichen, and they gradually became college sweethearts. When Yichen's foster sister Yimei challenged Mosheng for Yichen's attention, Mosheng turned directly to Yichen for clarification, but did not expect to receive a cold response from him. Mistaking that Yichen and Yimei are a couple, Mosheng followed her father's arrangements and moved to the United States to continue her studies. Seven years later, Mosheng - who is now a professional photographer - returns to China, and coincidentally bumps into the unforgettable Yichen.
1
Five best friends face adventures side by side in their hometown. Zany antics, love and missteps are better with friends.
3
Danny Confino is a full-time cop, during one of the police's worst times. A period in which its image is at a low ebb, they are ousted every week, harassed by commanders twice a week, budgets are cut and complaints against police are piled up in DIP offices. He returns to his parents' home in order to live there temporarily, but the temporary becomes permanent and Danny finds that life at home is superior to any crime scene.
-3
Six legendary heroes find themselves on an epic quest as they harness the power of nature's elements to defeat the forces of evil.
2
Cobra, Yamato and Noboru have been friends since they were kids. Noboru is able to score good grades and enter a university. He provides hope to Cobra and Yamato who seem to be good only at fighting. A tragedy then occurs to Noboru and the other two form the group Sanno Rengokai for him. When Noboru returns, a new incident takes place in S.W.O.R.D area dominated by 5 gangs: Sanno Rengokai, WhiteRascals, Oya Koko, Rude Boys and Daruma Ikka.
1
Jagjinder Joginder, a wedding planner, brings together the dysfunctional family of businessman Bipin Arora while making arrangements for Bipin's daughter's destination wedding in London.
0
Returning for a second Netflix comedy special, Jim Jefferies unleashes his famously ferocious black humor to a packed house in Nashville, Tennessee.
2
Ansari headlines the iconic Madison Square Garden and delivers his most hilarious and insightful stand-up yet. Filmed in front of a sold-out audience, Ansari's latest special is an uproarious document of the comic in top form -- covering topics ranging from the struggle of American immigrants to the food industry to relationships to gender inequality.
0
The adorable Best Popple Pals love helping their friends and neighbors, but every time they do it seems to backfire in hilarious ways.
5
A young "fabric geek" lands a job at an upscale Japanese lingerie company — and quickly discovers she'll need help to survive.
1
A young successful young man has always felt something missing in his life because he never knew his father. At 26, Che Chen is already a successful assistant manager for an investment trust. But he was raised by his single mother Chen Mu and never knew the identity of his father, and that void has been nagging at him. But a freak accident sends Che back 27 years into the past, to the year before he was born. When he meets 22-year-old Zhen Zhen Ye, Che realizes that this naïve and trusting young woman is his mother's best friend! When Che realizes that anything he does in the year 1989 could alter his mother’s future, will he do anything to alter the course of his own life?
3
This series examines the nature of cuteness and how adorability helps some animal species to survive and thrive in a variety of environments.
3
There's no subject too dark as the comedian skewers taboos and riffs on national tragedies before pulling back the curtain on his provocative style.
-4
In a tale of bravery and heroism, fearless frogs go to war against the sinister scorpions and spiders that have teamed up to conquer the amphibians.
1
Zach (William Lawandi), a remorseless serial womaniser and con man, meets his match in Li Ling (Vivienne Tseng), an alluring and well-to-do woman who makes a wicked bowl of pork rib soup. Things take an unexpected turn when Zach meets Li Ling's younger sister, the drop-dead gorgeous Li Er (Angeline Yap). Soon enough, Zach turns his lecherous attentions towards Li Er, and they begin an affair behind Li Ling's back. Li Er convinces Zach to help her execute a heinous plot to murder her older sister, whom she blames for causing her mother's death. However, things are not as simple as they seem.
-6
The Amamiya Brothers, Masaki (Takahiro) and Hiroto (Hiroomi Tosaka), keep looking for their older brother Takeru (Takumi Saito) who disappeared one year ago. The three Amamiya brothers lost their parents when they were young. Since then, they relied only on each other. On the anniversary of their parents' death, Masaki and Hiroto expect Takeru to appear. Instead, they meet a person who has a clue on Takeru's whereabouts.
-2
Previously unseen stand-up comedy by Jeff Dunham. Sketches include popular characters. Brad Paisley performs too! Special appearances by comic Chris Parnell and former UFC champion Chuck Liddell.
2
Luna Petunia follows the adventures of a girl who lives in our world and plays in a dreamland where she learns how to make the impossible possible.
0
Mike Epps wastes no time bringing his unapologetic and raunchy swagger to a howling live audience at the historic Orpheum Theater in Los Angeles.
-2
A lot of liquor an whores, mustard and bologna, maybe some cigarettes and dope, but mostly just liquor and whores, cigarettes and balogna, as well as mustard and dope.
-3
Omar is trying to reclaim the inheritance of his father from his uncle. He uses his colleague Rauof, who turns out to be a crook and then flees to Lebanon and Omar goes to jail.  Lina the Lebanese girl falls in love with Raouf, and they agree to marry, but he escapes to Cairo.
-1
A veteran cop forms an agency dedicated to solving cold cases, including those related to the team members' own painful and mysterious pasts.
-2
No rules. No expectations. A half hour to make their mark. Eight different comedians each get an episode to show their skills in comedy.
1
A girl tries to manage the demands of her traditional family's wishes and her own as she embarks on a journey to marry the love of her life
1
Patton Oswalt delivers a fresh hour plus of stand-up, covering everything from misery to defeat to hopelessness. It's his most upbeat special to date.
1
A woman who is looking for acceptance, who's looking for love, who wants to be appreciated and who wants to belong find what she's looking for from her personal assistant.
2
Your best friends are also the friends who'll make you do the stupidest things. After parting hardcore, Roxi, Yasmine and Ana meet in a bet that will change their lives: Who gets married first in three days?
0
The bearded, bawdy, and comically bitter Tom Segura gets real about body piercings, the "Area 51" of men's bodies, and the lie he told Mike Tyson.
-2
On a journey from Brazil to the Las Vegas championships, professional bull riders risk it all to earn money, respect and titles.
0
Very little is off-limits in comedian Ralphie May’s very first Netflix original stand-up comedy special, Unruly. Filmed live in front of a raucous, fist-pumping crowd at Cobb Energy Performing Arts Centre in Atlanta, May unleashes his hilariously raunchy, no-holds-barred perspective on everything from airline travel and the news media, to Chick-fil-A and everybody being a little racist when they drive.
-2
Madagascar goes wild with holiday spirit in this set of Valentine's Day and Christmas-themed tales featuring everyone's favorite animal characters.
0
Comedians Jeff Foxworthy and Larry the Cable Guy bring their distinctive brand of humor to a packed crowd in Minneapolis.
2
When the ultimate prank sends their principal under water, it's up to Everett, Alyssa and Riley to put their super detective skills to the test, catch the perp, and save their school's first dance in 40 years.
2
Laugh and learn with Gecko and the mechanicals at Gecko's Garage. Gecko is visited by his friends Max The Monster Truck, Amber The Ambulance and more big trucks for children.
-1
Donning his signature suit and fedora, the dapper comic offers a unique spin on getting old, the presidential election and "Honky Tonk Badonkadonk."
0
Carlos Ballarta mocks daily life in Mexico, including public transit, the education system and the corn seller who betrays your confidence
-1
Three grown siblings must rethink their idea of family when they learn their parents are getting divorced and have their eyes on new partners.
0
Hawaiian-shirt enthusiast Gabriel "Fluffy" Iglesias finds the laughs in racist gift baskets, Prius-driving cops and all-female taco trucks.
0
Ordinary People is a family portrait of Jane, 16, and her boyfriend, Aries, who live on their own in the chaotic streets of Manila. Surviving as pickpockets, the lives of the young couple change when they suddenly become teenage parents. But not even a month into parenthood, their child is stolen from them. In order to retrieve the child, the young couple is forced to take desperate measures.
-3
Get up close and personal with avalanches, fiery volcanoes and other natural cataclysms, and learn why some choose to live in their destructive paths.
-2
Four tragicomic interconnected stories about how devoted Muslim men and women are trying to manage their love life and desires without breaking any religious rules.
0
A conman faces his biggest threat when he is in urgent need for a lump sum and a policeman is after him to catch him red handed.
-2
Two friends and their sweet and endearing misadventures and one of these misadventures sees them land in the middle of a kidnapping investigation.
2
The silent routine of 5 Nuns living in the West Bank wilderness is disturbed when an Israeli settler family breaks down right outside the convent just as the Sabbath comes into effect.
0
A young Palestinian schoolteacher gives birth to her son in an Israeli prison where she fights to protect him, survive and maintain hope.
0
Comedienne and writer Chelsea Handler discusses the topics of marriage, racism, Silicon Valley, and drugs. Filmed in four parts.
-1
Full Steam to the Rescue! is a UK DVD featuring six episodes from the nineteenth series and two bonus episodes from the twentieth series.  Description: Duty calls at the Sodor Search and Rescue Centre! Rocky is called in to action to rescue poor derailed Henry. But when Rocky becomes derailed himself, who will come to his aid? The alarm is sounded at the Search and Rescue Centre and the fast and fearless team race to the rescue. But with each vehicle trying to rescue him alone, can they work as a team to get Rocky back on the tracks?! Full steam ahead with Thomas and his engine heroes!
0
Motu and Patlu are your home-grown Laurel and Hardy in an animation avatar. They befriend a circus lion, Guddu and attempt to save the jungle from a greedy poacher.
0
In love with Duygu, as well as with his favorite football team, Zafer is one of those grown-up men who never really grow up. One day, he finds himself forced into a marriage by his father, and despite his many funny attempts to get out of the marriage, Zafer’s plans yield no result. Can Zafer understand the meaning of true love before the final whistle blows?
2
Two blundering terrorists with lofty ideologies, but ordinary talent, on a mission to change the world.
0
Self-deprecating comic Sofía Niño de Rivera puts her sarcasm on full display in this stand-up special filmed live at Guadalajara's Degollado Theater.
-1
A new teacher finds herself in an unenviable situation after witnessing a troubling interaction between an administrator and a student.
-1
Reda is 26 years old. His dreams of escaping the Palestinian refugee camp of Ain El-Helweh ended in failure after three years trapped in Greece. He returned with a heroin addiction to life in a camp being torn apart by internal strife and the encroachment of war from Syria. Against all odds, he decides to marry his childhood sweetheart; a love story, bittersweet as the camp itself.
-2
Kathleen Madigan's stand up special.
0
When a sex worker hires a gay songwriter to care for her disabled son, the ensuing bonds that form offer a complex portrayal of love and family.
-1
You thought the boys would actually sober up? Not until after they change the world.
-1
Dieter Nuhr: Nuhr in Berlin: A Netflix Original  The cerebral and popular German cabaret comic expounds his theories on gender norms, primal instincts and a decidedly gastrointestinal Big Bang.
1
A successful and beautiful woman has always said no to marriage. Upon turning 30, she discovers she has a rare disease which will soon cause ovarian failure. How will she find a way to get pregnant before she can no longer have a child?
1
Those who fear are dead
-2
Poshter Girl takes you on a mad roller coaster ride of a quaint, little village in Maharashtra - Tekawde, which is ill-famous for female infanticide and as a result there are no girls left within the village. When the question of boys' marriage is on heat, a beautiful and Intelligent girl enters the scenario and changes everything. This is the story of the girl Rupali and her chosen 5 candidates who would do anything to win her heart.
3
Hans Teeuwen's Real Rancour, recorded live at the Leicester Square Theatre, November 2016.
0
Jandino Asporaat riffs on the challenges of raising kids and serenades the audience with a rousing rendition of "Sex on Fire" in his comedy show.
0
Salma is a 37 years old paramedic nurse working in private and public hospitals in Tunisia. When her only son, Murad, go to Syria to join the terrorist movement Al-Nusra Front, Salma infiltrate the jihadists with the aim to bring her son back to Tunisia.
0
Miloš Knor brings a group of Czech comedians on a tour around the Czech Republic.
0
A young trio aims to protect the world from evil, armed with magic crystals that allow them to control time, commune with spirits, and more.
1
Chasing wild success, a village hustler follows his cousin from Nigeria to Kenya and stumbles into the shady business affairs of a notorious overlord.
-4
Upset over his role in the accidental death of a Sikh, a young Punjabi man living abroad returns to India and falls for a widow whose husband died in similar circumstances.
-5
An Afrikaans film. Two women, two murders. One homicide reflects the ultimate act of self-centredness, the other the greatest selfless act of them all.
0
An indebted old farmer Tukaram wants to get justice for his son who commits suicide. But when Tukaram's pleas fall on deaf ears, he is forced to take a drastic step to ensure that his voice is heard, loud and clear, by the nation.
-4
In battle-ridden Syria, a woman trying to smuggle bread into a blockaded area crosses paths with a soldier on the run.
0
Many people harbour the hope of a 'dream job', one that pays well, offer great benefits, and with a boss who treats them like his own.
4
Motu and Patlu rescue a dog from a group of evil men. They find out that the men were sent by Mr Chamko to steal a locket the dog is wearing, which is the key to a hidden treasure.
-1
A 7-year-old child struggles to endure a life marked by three contradicting forces: a domineering father, an ambitious mother and a flamboyant cook.
-1
Whether it's Rudolph's nose cancer or heated tree-decorating fights, he tackles Christmas with edgy, biting humor.
-1
An aspiring actor uses a magical book to transport himself inside the movies he had always dreamed of starring in -- but not without consequences.
1
A dangerously charming, intensely obsessive young man goes to extreme measures to insert himself into the lives of those he is transfixed by.
0
The new medical director breaks the rules to heal the system at America's oldest public hospital. Max Goodwin sets out to tear up the bureaucracy and provide exceptional care, but the doctors and staff are not so sure he can succeed. They've heard this before. Not taking "no" for an answer, Dr. Goodwin's instinctive response to problems large and small is four simple words: "How can I help?" He has to disrupt the status quo and prove he'll stop at nothing to breathe new life into this underfunded and underappreciated hospital, returning it to the glory that put it on the map.
1
A financial adviser drags his family from Chicago to the Missouri Ozarks, where he must launder $500 million in five years to appease a drug boss.
-1
A missing child causes four families to help each other for answers. What they could not imagine is that this mystery would be connected to innumerable other secrets of the small town.
-1
Amidst the political conflict of Northern Ireland in the 1990s, five secondary school students square off with the universal challenges of being a teenager.
-1
In a small New York town, a haunted detective hunts for answers about perplexing crimes while wrestling with his own demons.
-3
This Karate Kid sequel series picks up 30 years after the events of the 1984 All Valley Karate Tournament and finds Johnny Lawrence on the hunt for redemption by reopening the infamous Cobra Kai karate dojo. This reignites his old rivalry with the successful Daniel LaRusso, who has been working to maintain the balance in his life without mentor Mr. Miyagi.
0
An agent in the FBI's Elite Serial Crime Unit develops profiling techniques as he pursues notorious serial killers and rapists.
-2
Beneath the decadence of 1929 Berlin, lies an underworld city of sin. Police investigator Gareon Rath has been transferred from Cologne to the epicenter of political and social changes in the Golden Twenties.
-2
After landing from a turbulent but routine flight, the crew and passengers of Montego Air Flight 828 discover five years have passed in what seemed like a few hours. As their new realities become clear, a deeper mystery unfolds and some of the returned passengers soon realize they may be meant for something greater than they ever thought possible.
0
When a rising high school football player from South Central L.A. is recruited to play for Beverly Hills High, the wins, losses and struggles of two families from vastly different worlds - Compton and Beverly Hills - begin to collide. Inspired by the life of pro football player Spencer Paysinger.
-1
After 250 years on ice, a prisoner returns to life in a new body with one chance to win his freedom: by solving a mind-bending murder.
0
The Crains, a fractured family, confront haunting memories of their old home and the terrifying events that drove them from it.
-2
A troubled war veteran is assigned to protect a controversial politician who may be the target of a terror plot.
-3
After crash-landing on an alien planet, the Robinson family fights against all odds to survive and escape. But they're surrounded by hidden dangers.
-1
An unusual group of robbers attempt to carry out the most perfect robbery in Spanish history - stealing 2.4 billion euros from the Royal Mint of Spain.
-1
Elio, a teenager, develops feelings for Oliver, his father's temporary assistant. Although their relationship is temporary, Elio realises his sexual orientation and tries to come to terms with it.
0
A ruthless outlaw terrorizes the West in search of a former member of his gang, who’s found a new life in a quiet town populated only by women.
-1
In a small town in Maine, seven children known as The Losers Club come face to face with life problems, bullies and a monster that takes the shape of a clown called Pennywise.
-4
Two strangers are drawn to a mysterious pharmaceutical trial that will, they're assured, with no complications or side-effects whatsoever, solve all of their problems, permanently. Things do not go as planned.
-4
In 1960, a team of Israeli secret agents is deployed to find Adolf Eichmann, the infamous Nazi architect of the Holocaust, supposedly hidden in Argentina, and get him to Israel to be judged.
-1
Set in the present, the series offers a bold, subversive take on Archie, Betty, Veronica and their friends, exploring the surreality of small-town life, the darkness and weirdness bubbling beneath Riverdale’s wholesome facade.
-1
In a reimagining of the TV classic, a newly single Latina mother raises her teen daughter and tween son with the "help" of her old-school mom.
1
In Justine’s family everyone is a vet and a vegetarian. At 16, she’s a gifted teen ready to take on her first year in vet school, where her older sister also studies. There, she gets no time to settle: hazing starts right away. Justine is forced to eat raw meat for the first time in her life. Unexpected consequences emerge as her true self begins to form.
2
The orphaned Baudelaire children face trials, tribulations and the evil Count Olaf, all in their quest to uncover the secret of their parents' death.
-2
“White Boy Rick”, as he was called, was a novelty: A white teenager seemingly running a major inner-city drug operation. In May of 1987, 17-year-old Richard Wershe Jr. was charged with a non-violent, juvenile drug offense. By the time of his arrest he was already a Detroit legend, frequently making front-page headlines and leading the local television news. In this film, gangsters, hit men, journalists and federal agents struggle to explain why he remains in prison at nearly 50 years old. The possible explanation is more stunning than the crimes Wershe was alleged to have committed.
0
In 1950s London, renowned British dressmaker Reynolds Woodcock comes across Alma, a young, strong-willed woman, who soon becomes ever present in his life as his muse and lover.
2
Teenage friends find their lives upended by the wonders and horrors of puberty in this edgy comedy from real-life pals Nick Kroll and Andrew Goldberg.
1
Four women juggle love, careers, and parenthood. They support, challenge, and try not to judge each other as life throws them curveballs. Whether it is an identity crisis, a huge job opportunity, postpartum depression, or an unplanned pregnancy – they face both the good and bad with grace and humour.
2
When three working class kids enroll in the most exclusive school in Spain, the clash between the wealthy and the poor students leads to tragedy.
-1
In 1980s LA, a crew of misfits reinvent themselves as the Gorgeous Ladies of Wrestling.
0
In a place where young witches, vampires, and werewolves are nurtured to be their best selves in spite of their worst impulses, Klaus Mikaelson’s daughter, 17-year-old Hope Mikaelson, Alaric Saltzman’s twins, Lizzie and Josie Saltzman, among others, come of age into heroes and villains at The Salvatore School for the Young and Gifted.
1
"Everybody Loves Raymond" creator Phil Rosenthal travels the globe to take in the local cuisine and culture of Bangkok, Lisbon, Mexico City and more.
1
A coming-of-age story about an outsider who, against all odds and numerous challenges, fights for love and acceptance and for her place in the world. The series centers on a young orphaned girl in the late 1890’s, who, after an abusive childhood spent in orphanages and the homes of strangers, is mistakenly sent to live with an elderly woman and her aging brother. Over time, 13-year-old Anne will transform their lives and eventually the small town in which they live with her unique spirit, fierce intellect and brilliant imagination.
-3
Eight young people spend the summer in Panama City Beach in hopes of finding love, cash and close friends.
1
An extraordinary discovery inspires two human princes and an elven assassin to team up on an epic quest to bring peace to their warring lands.
1
A classically-trained martial artist goes to work as a debt collector for the mob. The job seems easy enough, until one “client” pulls him into a situation deeper than could ever be expected.
2
Sam, an 18-year-old on the autism spectrum, takes a funny, yet painful, journey of self-discovery for love and independence and upends his family.
-1
As her 16th birthday nears, Sabrina must choose between the witch world of her family and the human world of her friends. Based on the Archie comic.
0
James is 17 and is pretty sure he is a psychopath. Alyssa, also 17, is the cool and moody new girl at school. The pair make a connection and she persuades him to embark on a darkly comedic road trip in search of her real father.
1
Frustrated with her thankless office job, Retsuko the Red Panda copes with her daily struggles by belting out death metal karaoke after work.
-3
Corrupt ex-cop turned hitman Nick Sax's life is changed forever by a relentlessly positive, imaginary blue winged horse named Happy.
-1
A gritty crime saga which follows the lives of an elite unit of the LA County Sheriff's Dept. and the state's most successful bank robbery crew as the outlaws plan a seemingly impossible heist on the Federal Reserve Bank.
-2
After a brutal virus wipes out most of the population, two young siblings embark on a perilous search for safety. A Scandinavian thriller series.
-3
Maddie, a persona shifting con-artist who is as beautiful as she is dangerous, leaves her unwitting victims tormented when they realize they have been used and robbed of everything – including their hearts. But things get complicated when her former targets, Ezra, Richard, and Jules team up to track her down.
-2
Siblings Kate and Teddy try to prove Santa Claus is real, but when they accidentally cause his sleigh to crash, they have to save Christmas.
-1
In a world where families are limited to one child due to overpopulation, a set of identical septuplets must avoid being put to a long sleep by the government and dangerous infighting while investigating the disappearance of one of their own.
-2
They're ordinary husband and wife realtors until she undergoes a dramatic change that sends them down a road of death and destruction. In a good way.
-1
Death row inmates convicted of capital murder give a firsthand account of their crimes in this documentary series.
-3
Rise up! The Teenage Mutant Ninja Turtles get an all-new look, new weapons, and awesome new powers! Join the legendary heroes, Raph, Leo, Donnie and Mikey as these brothers discover a Hidden City beneath New York, learn amazing mystic ninja skills, battle absurd mutants… and always find time for a slice of their favorite pizza! Cowabunga!
5
Three "good girl" suburban wives and mothers suddenly find themselves in desperate circumstances and decide to stop playing it safe and risk everything to take their power back.
0
When a controversial cult leader builds a utopian city in the Oregon desert, conflict with the locals escalates into a national scandal.
-4
After his daughter goes missing, a widower begins uncovering the dark secrets of the people closest to him.
-1
This baffling true crime story starts with the grisly death of a pizza man who robs a bank with a bomb around his neck - and gets weirder from there.
-5
TV legend David Letterman teams up with fascinating global figures for in-depth interviews and curiosity-fueled excursions in this monthly talk show.
1
Molly Bloom, a young skier and former Olympic hopeful becomes a successful entrepreneur (and a target of an FBI investigation) when she establishes a high-stakes, international poker game.
3
Fed up with their families and classmates, two teen girls from a wealthy part of Rome are drawn to the city's underworld and start leading double lives.
2
A dark medieval fantasy following the last surviving member of the disgraced Belmont clan, trying to save Eastern Europe from extinction at the hand of Vlad Dracula Tepe himself. Inspired by the classic video game series.
-1
When Sofia Karppi, a detective in her 30's who is trying to get over her husband's death, discovers the body of a young woman on a construction site, she triggers a chain of events that threatens to destroy her life again.
-2
Based on his podcast, comedianNorm Macdonald and his sidekick Adam Egret sit down and chat with celebrity guests about their life, career and views in a somewhat unconventional and often irreverent way.
0
A group of college friends reunite for a trip to the forest, but encounter a menacing presence in the woods that's stalking them.
-1
Five years after an ominous unseen presence drives most of society to suicide, a survivor and her two children make a desperate bid to reach safety.
-2
An eager young rookie joins the ragtag small-town police force led by his dad as they bumble, squabble and snort their way through a big drug case.
1
A father and daughter live a perfect but mysterious existence in Forest Park, a beautiful nature reserve near Portland, Oregon, rarely making contact with the world. But when a small mistake tips them off to authorities, they are sent on an increasingly erratic journey in search of a place to call their own.
-1
With the help of a gutsy female detective, a prosecutor who has lost the ability to feel empathy tackles a murder case amid political corruption.
-1
Princess Tiabeanie, 'Bean', is annoyed at her imminent arranged marriage to Prince Merkimer. Then she meets Luci, a demon, and Elfo, an elf, and things get rather exciting, and dangerous.
-2
A woman learns about the death of her Orthodox Jewish father, a rabbi. She returns home and has romantic feelings rekindled for her best childhood friend, who is now married to her cousin.
1
Honoring service members whose courage merited the awarding of a Medal of Honor, this docudrama series re-creates their inspiring true stories.
4
The epic adventure of Hakan, a young shopkeeper whose modern world gets turned upside down when he learns he’s connected to a secret, ancient order, tasked with protecting Istanbul.
1
After her fiance is falsely imprisoned, a pregnant African-American woman sets out to clear his name and prove his innocence.
0
A true-crime satire that explores the aftermath of a costly high school prank that left twenty-seven faculty cars vandalized with phallic images.
-1
After a rash of mysterious deaths, Crown prosecutor Sarah Sinclair and SSC agent James Blood discover a conspiracy surrounding uncanny new bio-masks.
-4
A coming of age comedy following a diverse group of teenage friends as they confront the challenges of growing up in gritty inner-city Los Angeles.
-2
Follows two of America’s wealthiest families, the Carringtons and the Colbys, as they feud for control over their fortune and their children focusing on Fallon Carrington, the daughter of billionaire Blake Carrington, and her soon-to-be stepmother, Cristal, a Hispanic woman marrying into this WASP family and America’s most powerful class.
2
After marrying a successful Parisian writer known commonly as Willy, Sidonie-Gabrielle Colette is transplanted from her childhood home in rural France to the intellectual and artistic splendor of Paris. Soon after, Willy convinces Colette to ghostwrite for him. She pens a semi-autobiographical novel about a witty and brazen country girl named Claudine, sparking a bestseller and a cultural sensation. After its success, Colette and Willy become the talk of Paris and their adventures inspire additional Claudine novels.
5
Two guys serendipitously meet at a time when they both find themselves at personal crossroads and decide to embark on an unplanned road trip across the American Southwest.
0
In this adult animated series, three gay co-workers lead double lives as drag queen superheroes, saving the LGBTQ community from evil nemeses.
-2
An elite group of American operatives, aided by a top-secret tactical command team, must transport an asset who holds life-threatening information to an extraction point 22 miles away through the hostile streets of an Asian city.
-1
A grieving mother transforms herself into a vigilante following the murders of her husband and daughter, eluding the authorities to deliver her own personal brand of justice.
-2
Follow a teenage girl and a trio of fallen gods on a perilous journey as they attempt to bring an end to a demonic reign of chaos and restore balance to their world. Inspired by the 16th Century Chinese fable “Journey to the West.”
-4
Three childhood friends - Elise, Sonia and Cecile - leave for a summer in the South of France to help clear Cecile’s holiday house before it is put up for sale. There, they soon become the prime targets of three horny young men, for whom these single forty-year-old women are much more attractive than girls their age.
2
Nola Darling struggles to define herself and divide her time among her friends, job and three lovers. A new take on Spike Lee's film, in 10 episodes.
1
Puberty Syndrome—a rumored, mysterious syndrome that only affects those in their puberty. For example, a bunny girl suddenly appeared in front of Sakuta Azusagawa. The bunny girl's real identity is Mai Sakurajima, a teenage celebrity who is currently an inactive high school senior. For some reason, her charming figure does not reflect in the eyes of others. In the course of revealing the mystery behind this phenomenon, Sakuta begins to explore his feelings towards Mai. Set in a city where the skies and seas shine, Sakuta unfolds the meaning behind his bizarre encounters on women with the said syndrome.
-4
Jerry Seinfeld returns to the club that gave him his start in the 1970s, mixing iconic jokes with stories from his childhood and early days in comedy.
-1
A mother of two inherits a home from her aunt. On the first night in the new home she is confronted with murderous intruders and fights for her daughters’ lives. Sixteen years later the daughters reunite at the house, and that is when things get strange . . .
-2
Designer Genevieve Gorder and real estate expert Peter Lorimer show property owners how to turn their short-term rentals into moneymaking showstoppers.
0
Burned by a bad breakup, a struggling New York City playwright makes an unlikely connection with a divorced app designer she meets on a blind date.
-6
Go deep into the clandestine world of the legendary brotherhood of warrior monks known as The Knights Templar.
1
Evangelist Carlton Pearson is ostracized by his church for preaching that there is no Hell.
-1
A thrilling and inspiring true story begins on the eve of World War II as, within days of becoming Prime Minister of Great Britain, Winston Churchill must face one of his most turbulent and defining trials: exploring a negotiated peace treaty with Nazi Germany, or standing firm to fight for the ideals, liberty and freedom of a nation. As the unstoppable Nazi forces roll across Western Europe and the threat of invasion is imminent, and with an unprepared public, a skeptical King, and his own party plotting against him, Churchill must withstand his darkest hour, rally a nation, and attempt to change the course of world history.
3
A chronicle of the two major police investigations by LAPD Detective Greg Kading into the deaths of Tupac and The Notorious B.I.G.
-2
Marlo, a mother of three, including a newborn, is gifted a night nanny by her brother. Hesitant at first, she quickly forms a bond with the thoughtful, surprising, and sometimes challenging nanny named Tully.
0
There comes a point in everyone’s life when you have to make a decision about the direction you’re going to take. For newly-18 American fashion model Cora, that time is now. She’s moved to an Australian coastal town to be with her favourite aunt, after a 'fashion faux pas’ back home.
0
Two overworked and underpaid assistants come up with a plan to get their bosses off their backs by setting them up with each other.
-1
In this genre-bending tale, Errol Morris explores the mysterious death of a U.S. scientist entangled in a secret Cold War program known as MK-Ultra.
-3
After a teenage girl's perplexing suicide, a classmate receives a series of tapes that unravel the mystery of her tragic choice.
-5
Nine struggling musicians share the spotlight in this deeply personal reality series about the challenges and thrills of staging a Hollywood showcase.
0
A scandal erupts in Brazil during an investigation of alleged government corruption via oil and construction companies. Loosely inspired by true events.
-2
In an alternate present-day where magical creatures live among us, two L.A. cops become embroiled in a prophesied turf battle.
0
A team of special forces head into Afghanistan in the aftermath of the September 11th attacks in an attempt to dismantle the Taliban.
-1
Witness the stories of history's most notorious kingpins, their terrifying enforcers, and the men and women who've sworn to bring them down.
-1
Team of chefs vie to impress some of the world's toughest palates as they whip up iconic dishes from different nations in this fast-paced competition.
3
Over the course of one night, a woman drives across LA with her heroin addict brother in search of a detox center, with his two-year-old daughter in tow.
-1
In this reboot of the '80s series, a magic sword transforms an orphan girl into warrior She-Ra, who unites a rebellion to fight against evil.
-1
Adam Sandler takes his comical musical musings back out on the road, from comedy clubs to concert halls to one very unsuspecting subway station.
-2
See the rise of the Guadalajara Cartel as an American DEA agent learns the danger of targeting narcos in 1980s Mexico.
-1
Isabel and Diego, two complete strangers, must assume the identity of a married couple in order to flee the state of Sonora.
-2
From germs and emotions to social media and more, it's the science of your world explained in a way that's refreshingly relatable.
0
Driven by revenge, human-turned-vampire Mia sets out to vanquish Dmitry, a ruthless vampire leader who seeks an artifact that grants immortality.
-2
For more than thirty years, and through his television program, Fred Rogers (1928-2003), host, producer, writer and pianist, accompanied by his puppets and his many friends, spoke directly to young children about some of life's most important issues.
-1
A psychological thriller about Mie, a young woman with amnesia who is locked up in a secure psychiatric hospital. Mie is visited by Detective Inspector Wolkers who claims she was the last person seen with the vanished Thomas Spectre. As a witness and prime suspect, she appears to be the sole key to this mysterious disappearance. In order to solve the puzzle and find Thomas, Mie has to reconstruct her lost memories and find her way back through the dark labyrinth of her recent past.
-3
A special forces team is sent to snuff out a drug den, but find themselves trapped inside it after being set-up and betrayed.
-2
An aging actor, who long ago enjoyed a brush with fame, makes his living as an acting coach.
2
Vignettes weaving together the stories of six individuals in the old West at the end of the Civil War. Following the tales of a sharp-shooting songster, a wannabe bank robber, two weary traveling performers, a lone gold prospector, a woman traveling the West to an uncertain future, and a motley crew of strangers undertaking a carriage ride.
-4
Teenage friends plan an epic trip to Comic-Con to meet their idol, only to get caught in one hilariously awkward predicament after another.
-1
A photographer struggling with memory loss discovers her pictures may indicate something sinister is hitting close to home.
-3
In lawless badlands, reclusive Cabeleira sets out to discover the fate of his gunman father and grows to be a feared assassin himself.
-2
A young street magician is left to take care of his little sister after his mother's passing and turns to drug dealing in the Los Angeles party scene to keep a roof over their heads. When he gets into trouble with his supplier, his sister is kidnapped and he is forced to rely on both his sleight of hand and brilliant mind to save her.
0
A German couple and their dog travel across North America in a school bus searching for a state of pure bliss.
2
A child star in the '80s, Samantha clings to the fringes of celebrity with hilarious harebrained schemes to launch herself back into the spotlight.
1
This is a story about a common man who has extraordinary events in his mundane life. The film depicts the protagonist's turns of events in three eras, three seasons, three nights, in the same city, as told with reverse chronology.
0
Jefferson Pierce is a man wrestling with a secret. As the father of two daughters and principal of a charter high school that also serves as a safe haven for young people in a New Orleans neighborhood overrun by gang violence, he is a hero to his community.
1
Comedy's freshest voices take the stage in LA for six half-hour specials packed with sly jokes, hilarious anecdotes and awkward confessions.
-2
Maira lives happily with Aiden, a doll maker and toy company owner. But Vanya, their adopted daughter and Aiden's niece, is still dealing with the loss of her birth mother. After Vanya plays Charlie's Pencil to summon her late mother, strange things begin to happen.
-1
In his first special in seven years, Ricky Gervais slings his trademark snark at celebrity, mortality and a society that takes everything personally.
0
Documentary that delves deep into the history of abortion law, revealing the contradictory ways in which women's bodies have been used to further political and ideological agendas.
-1
Comic sensation Amy Schumer riffs on sex, dating and the absurdities of fame in a bold and uncensored stand-up set at Denver's Bellco Theater.
1
Satria's employees intend to rob his house when he is out of the country but their robbery turns into murder when they find Suzzanna in the house as they bury her body in the backyard.
-1
Set in the fictional college town of Hilltowne, Charmed follows the lives of three sisters, Macy, Mel and Maggie Vera who, after the tragic death of their mother, discover they are three of the most powerful witches of all time.
-2
Former Secretary of Labor Robert Reich meets with Americans from all walks of life as he chronicles a seismic shift in the nation's economy.
0
In 2029, an elite police squad combats an anti-reunification terrorist group while another enemy lurks nearby.
0
There are over 100,000 cold cases in America, and only about 1% are ever solved. With recent advancements in technology and the methods used to solve these cases, as well as the unwavering dedication of victims’ families, law enforcement and the public, “Cold Case Files” explores the cases that defied the odds.

Each episode of the Emmy-nominated series examines the twists and turns of one murder case that remained unsolved for years, and the critical element that heated it up, leading to the evidence that finally solved it. Featuring interviews with family members, friends, detectives, and others close to the cases, the refreshed classic series examines all facets of the crime and shines a light on a range of voices and victims.
0
When ordinary teenager Kyra touches a mysterious book, she is transformed into a Tri-ling-–part-human, part-fairy and part-elf. In addition to acquiring amazing magical powers, Kyra discovers a secret world of magic all around her.
2
Chris Rock takes the stage for his first comedy special in 10 years, filled with searing observations on fatherhood, infidelity and American politics.
0
A policewoman whose childhood friend disappeared in Patagonia years ago starts a new search to find answers, and soon finds her own life in danger.
-1
In this one-man Broadway show, John Leguizamo finds humor and heartbreak as he traces 3,000 years of Latin history in an effort to help his bullied son.
1
Two delusional geriatrics reveal curious pasts, share a love of tuna and welcome a surprise guest in this filming of the popular Broadway comedy show.
2
After crash-landing on Earth, two royal teen aliens on the run struggle to blend in with humans as they evade intergalactic bounty hunters.
-2
As his life comes to its end, famous Hollywood director Orson Welles puts it all on the line at the chance for renewed success with the film The Other Side of the Wind.
3
A mysterious, clever girl named Nanno transfers to different schools, exposing the lies and misdeeds of the students and faculty at every turn.
-1
The story of a double-glazing showroom in Essex in the 80s, led by charismatic Vincent Swan, and his unscrupulous sales team, Brian Fitzpatrick and Martin Lavender.
1
With a little help from his brother and accomplice, Tim, Boss Baby tries to balance family life with his job at Baby Corp headquarters.
0
Drifting aimlessly through life, Kaisi has racked up debts of several million having borrowed money from his friends. Lured with the promise of writing it all off, Kaisi leaves his ailing mother and childhood sweetheart Qing to board the ship Destiny and attend a gambling party controlled by the mysterious Anderson. All players join the game with stars. For each game they lose, their opponent captures a star. Everyone is holding daggers behind their backs plotting dirty means by which to overcome their opponents. The game quickly deteriorates into a slaughter and Kaisi must battle save his own skin.
-5
Chava Iglesias's doting personal assistant Hugo Sánchez is tasked with leading Club de Cuervos to victory in Nicaragua -- if only his mom will let him.
2
In the near future, due to a breakthrough scientific discovery by Dr. Thomas Harbor, there is now definitive proof of an afterlife. While countless people have chosen suicide to reset their existence, others try to decide what it all means. Among them is Dr. Harbor's son Will, who has arrived at his father's isolated compound with a mysterious young woman named Isla. There, they discover the strange acolytes who help Dr. Harbor with his experiments.
-3
Anthology series in which each season is based on a true crime story featuring an epic tale of love gone wrong.
-1
Home bakers with a terrible track record take a crack at re- creating edible masterpieces for a $10,000 prize. It's part reality contest, part hot mess.
0
The wife of a legendary rapper launches her own career, which puts his life into a tailspin.
1
Filmed from the perspectives of dealers, users and the police, this vivid series offers a bracing look at the war on drugs.
1
Humanity's desperate battle to reclaim the Earth from Godzilla continues. The key to defeating the King of the Monsters may be Mechagodzilla, a robotic weapon thought to have been lost nearly 20,000 years ago.
-1
The Great War finally came to an end after four long years of conflict; fractured in two, the continent of Telesis slowly began to flourish once again. Caught up in the bloodshed was Violet Evergarden, a young girl raised for the sole purpose of decimating enemy lines. Hospitalized and maimed in a bloody skirmish during the War's final leg, she was left with only words from the person she held dearest, but with no understanding of their meaning.

Recovering from her wounds, Violet starts a new life working at CH Postal Services after a falling out with her new intended guardian family. There, she witnesses by pure chance the work of an "Auto Memory Doll," amanuenses that transcribe people's thoughts and feelings into words on paper. Moved by the notion, Violet begins work as an Auto Memory Doll, a trade that will take her on an adventure, one that will reshape the lives of her clients and hopefully lead to self-discovery.
-1
The boundaries between military discipline and human desire are tested on a U.S. Army base that houses an elite unit of helicopter pilots trained to perform clandestine international and domestic missions. The drama unfolds in the present as well as in flashbacks to a failed mission involving one of the first female pilots in the unit, ultimately uncovering layers of personal and government/military secrets and leading to a season-long plan to rescue a group of MIA soldiers.
2
This docuseries travels deep into the heart of the food supply chain to reveal unsavory truths and expose hidden forces that shape what we eat.
-1
Journalism icon Gay Talese reports on Gerald Foos, the Colorado motel owner who allegedly secretly watched his guests with the aid of specially designed ceiling vents, peering down from an "observation platform" he built in the motel's attic.
-1
She could do the responsible thing. Or she could go to Ibiza with her best friends to chase down a hot DJ. Easy choice.
3
Four best friends negotiate loss and major life changes during the last two weeks of high school.
0
After people in his town start turning up dead, a grumpy landlord is visited by a man who recounts an unsolved serial murder case from 30 years ago that may hold the clue to what is happening now.
-3
A traveling trader provides a window into rural life in the Republic of Georgia, where potatoes are currency and ambition is crushed by poverty.
-2
In an effort to improve feminine hygiene, a machine that creates low-cost biodegradable sanitary pads is installed in a rural village in Northern India. Using the machine, a group of local women is employed to produce and sell pads, offering them newfound independence and helping to destigmatize menstruation for all.
3
Greg is back with his first stand up show in four years, and biggest ever tour, You Magnificent Beast.
1
When a childhood friend from Miami gets killed after he comes to warn of encroaching drug gangs, Baaba moves to Miami and teams up with a local officer to bring down the criminals.
-2
In a world where human beings and puppets live together, when the members of the cast of a children's television show aired during the 1990s begin to get murdered one by one, puppet Phil Philips, a former LAPD detective who fell in disgrace and turned into a private eye, takes on the case at the request of his old boss in order to assist detective Edwards, who was his partner in the past.
-4
An all-new “Fab Five” advise men on fashion, grooming, food, culture and design in this modern reboot of the Emmy Award-winning reality series.
1
If you don‘t see things as a problem, you don‘t have one. This is the attitude Janne is trying to maintain towards the fact of being raped by the brother-in-law of her new boss. In the aftermath of her private bankruptcy, she needs a job and hates the idea of being a victim. Still, remaining silent about the incident has its consequences.
-2
On his quest for happiness, Per decides to leave Jutland and an upbringing in a strict religious home. He runs from his family and his patriarch father, and sets sail towards Copenhagen to become an engineer. Parallel to his studies, he works on a visionary energy project based on wind and wave energy, a project so much ahead of its time, that professors consider him insane and far too self-confident. However, Per’s project becomes a success and he marries the beautiful Jakobe who is a part of a wealthy Jewish family. One would imagine that Per’s happiness now is made. But Per’s childhood keeps haunting him and his dogmatic family cannot accept his new life. Despite his luck and success, Per is unable to fully cut the strings to his strict religious background, and he now fears that he will repeat his father’s patriarchist behavior.
2
While staying at a tropical resort, a man becomes convinced the American timeshare company running it has an evil plan to take away his loved ones.
0
A failed Broadway singer who now works as a production manager must save opening night on his new production by wrangling his eccentric cast and crew.
-1
Cast members, writers, producers and mental health professionals discuss some of the difficult issues and themes explored in "13 Reasons Why."
-2
A compilation of shorts, diverse experimental content and more weird stuff spread directly from the devious mind of the South African film director Neill Blomkamp.
-2
The minds behind history's most iconic toy franchises discuss the rise -- and sometimes fall -- of their billion-dollar creations.
-1
A lawyer takes on a case of a prison guard in South Africa who is traumatized by the executions he's witnessed.
-2
When Cole stays up past his bedtime, he discovers that his hot babysitter is part of a Satanic cult that will stop at nothing to keep him quiet.
2
Fearless, free-spirited Hilda finds new friends, adventure and magical creatures when she leaves her enchanted forest home and journeys to the city.
3
A friendship with a top-secret robot turns a lonely girl's life into a thrilling adventure as they take on bullies, evil bots and a scheming madman.
-3
From fangs to claws to venomous stings, they all wield deadly weapons. But which creature will be crowned the fiercest of all?
-3
Comedians and writers Steve Martin and Martin Short perform a live comedy set with music by The Steep Canyon Rangers and jazz pianist, Jeff Babko, at the Peace Center in Greenville, South Carolina.
0
Ward and Bouchard must face an important car theft ring that turns out to be a lot more than they bargained for: one where the stolen cars will serve as bombs in a well planned terrorist attack.
-1
A young cobra and his scorpion best friend go on a journey across the Sahara desert to save a new-found love.
1
After her stepdaughter is sexually assaulted at a party, a furious mother sets out to destroy the lives of the four perpetrators who walked free.
-1
Patton Oswalt, despite a personal tragedy, produces his best standup yet. Focusing on the tribulations of the Trump era and life after the loss of a loved one, Oswalt continues his journey to contribute joy to the world.
2
The rigorous city life of China, while bustling and unforgiving, contains the everlasting memories of days past. Three stories told in three different cities, follow the loss of youth and the daunting realization of adulthood. Though reality may seem ever changing, unchangeable are the short-lived moments of one's childhood days. A plentiful bowl of noodles, the beauty of family and the trials of first love endure the inevitable flow of time, as three different characters explore the strength of bonds and the warmth of cherished memories. Within the disorder of the present world, witness these quaint stories recognize the comfort of the past, and attempt to revive the neglected flavors of youth.
2
Michalina Wislocka, the most famous and recognized sexologist of communist Poland, fights for the right to publish her book, which will change the sex life of Polish people forever.
2
Comedy icon Dave Chappelle makes his triumphant return to the screen with a pair of blistering, fresh stand-up specials.
1
In 2008, a fight over land in a seaside town near Rome spirals into a deadly battle between organized crime, corrupt politicians and the Vatican.
-3
Historic footage and leading voices of the era examine the "Bobby Phenomenon" of the 1960s and the legacy of the man who helped redefine the country.
2
Eddie Krumble works as a paid audience member for infomercials and experiences a whirlwind of overnight fame after a late-night talk show host publicizes his frequent infomercial appearances.
2
14-year-old basketball phenom Terron Forte has to navigate the under-the-table world of amateur athletics when he is recruited to an elite NCAA prep school.
1
When an aspiring rapper goes viral for the wrong reasons, he thinks his career is sunk. But a wild party gives him one more chance to make it right.
-2
At a predominantly white Ivy League college, a diverse group of students navigate various forms of racial and other types of discrimination.
-1
Maki Maki, Sebuki Suzume, Beppu Tsukasa and Iemori Yutaka happen to meet and form a quartet. They even begin to live together in Karuizawa during the winter, but there is a big hidden secret.
0
In her first comedy special post-health scare, Sarah Silverman shares a mix of fun facts, sad truths and yeah-she-just-went-there moments.
-1
Romance, rivalry and radical mystery collide as a group of teens attend a remote island sleepaway camp in this suspenseful, supernatural drama.
-3
In this film, Laerte conjugates the body in the feminine, and scrutinizes concepts and prejudices. Not in search of an identity, but in search of un-identities. Laerte creates and sends creatures to face reality in the fictional world of comic strips as a vanguard of the self. And, on the streets, the one who becomes the fiction of a real character. Laerte, of all the bodies, and of none, complicates all binaries. In following Laerte, this documentary chooses to clothe the nudity beyond the skin we inhabit.
-3
Just as Simone works up the courage to tell her conservative Jewish family she's a lesbian, she finds herself attracted to a male Senegalese chef.
1
A star of hunting videos strives to bond with his 12-year-old son on a wilderness trip but learns familial connections can't be forced.
0
After scientists discover a mysterious substance that can influence human minds, two factions wage an all-out battle to control its awesome power.
0
Every Sunday, Hasan Minhaj brings an incisive and nuanced perspective to global news, politics and culture in his unique comedy series.
0
Wedding Planner, Kelsey Wilson, is about to have her big break: planning her beloved cousin's lavish and exclusive wedding. Everything is going smoothly until Connor McClane, a devilishly handsome private investigator, shows up and turns Kelsey's world upside-down. Hired by a secret source, Connor quickly disrupts the upcoming nuptials but wins Kelsey's heart in the process.
3
After an accident at the hair salon, Violet realizes she's not living life to the fullest. A soulful barber helps her put the pieces back together.
1
After a "white lie" which spirals out of control, a neurotic, naive and musically gifted Muslim cleric's eldest son must follow through with an arranged marriage, except he is madly in love with an Australian born-Lebanese girl.
-2
A talented teenage singer-songwriter living amid domestic abuse becomes a YouTube sensation after a video in which she hides her identity goes viral.
1
Comic Hasan Minhaj of "The Daily Show" shares personal stories about racism, immigrant parents, prom night horrors and more in this stand-up special.
-1
For an audience of drummers, comedian Fred Armisen shares and demonstrates his thoughts on musical genres, drummer quirks, regional accents and more.
0
An innovative, fun, and exploratory factual series that addresses the state of the nation's health, the latest in medical treatments and the future of healthcare as we know it.
2
The passenger ship Aurora mysteriously collides into the rocky sea threatening an entire island. A young woman and her sister must both survive by finding the missing dead for a bounty.
-4
"They never fail." The Glock pistol has been fetishised in films and the arts, and is a regular topseller in the international arms market. For the first time, the filmmaking duo Fritz Ofner and Eva Hausberger tell the story of the rise of the Glock: An Austrian design that became the most sought-after service and murder weapon worldwide. Tracing the web of power, money, violence and politics, the film masterfully portrays the dark sides of globalisation and not least an Austrian tale of willful ignorance.
-3
Real people sit down with friends and family to share terrifying true stories from their past, re-created through chilling re-enactments.
0
Chef and food writer Samin Nosrat travels the world to explore four basic keys to wonderful cooking, serving up feasts and helpful tips along the way.
2
A group of kids agree to explore an abandon house in order to win a reality show contest, which requires them to prove that the stories of the evil Kuntilanak are real. They soon discover that the ghost is very much real when it appears from an old mirror and starts haunting them.
-1
A young man seeking a father he has never met, through no fault of his own, ends up barricaded in a liquor store with five other people on Christmas Eve in the fictitious town of El Camino, NV.
-2
Outspoken as ever, comedian Joe Rogan takes on politics, pro wrestling, pot laws, cats, vegans and much more in a stand-up special shot in Boston.
0
Hakuno Kishinami finds himself in the midst of a Holy Grail war with no memories of how he got there. Through his confusion, he must fight to survive.
0
A suicidal war veteran finds like-minded souls in a surf therapy program that helps traumatized soldiers heal while riding the waves.
-1
With his signature one-liners and drawings, Demetri Martin muses on doughnut holes, dogs, sports bars, the alphabet's most aggressive letters and more.
-1
America's king of clean comedy delivers wickedly funny jokes in his fifth hour-long special.
-2
Fresh voices bring some of the most famous names in history to life. A live-action sketch comedy show based on the series of best-selling books.
3
A talented photographer stuck in a dead-end job inherits an antique Advent calendar that may be predicting the future -- and pointing her toward love.
1
Filmed February 23, 2018, aboard the USS Hornet, comedian Iliza Shlesinger brings an ‘elder millennial’ perspective to her audience. Recently engaged, she dives into undeniable truths about life at age 35. Looking back at the insanity of the road traveled and what’s to come, Iliza talks first apartments, a woman's inner she dragon, peacock mating calls, and her newfound urge to squeeze a chubby baby leg.
-1
What started as a simple escort mission will soon turn to chaos as the prisoners of Koh Kla take over the prison grounds. A special task force [Jean-Paul Ly, Dara Our, Tharoth Sam] gets trapped in the prison will have to fight their way out for survival, to protect a key witness [Savin Phillip].
-3
A woman organizes an escape plan camouflaged as a kidnapping to protect her children from her husband's enemies.
0
Threatened by creditors, a newly unemployed man agrees to work for a debt collector, but soon discovers his deal with the devil has unexpected costs.
-3
When a former shop owner grows bored of retirement, he buys a fish pond and manages the new hijinks in his life with a staff of quirky employees.
-1
A 15-year-old from LA spends the summer at her mom's childhood home on an island off the coast of England, where she bonds with a mysterious horse.
-1
Two women run a business breaking up couples for cash but when one develops a conscience their friendship unravels.
-1
Alex Truelove is on a quest to lose his virginity, an event eagerly awaited by his patient girlfriend and cheered on with welcome advice by his rowdy friends. But Alex, a super gregarious dude, is oddly unmotivated. A magical house party throws Alex into the presence of Elliot, a hunky college guy, who pegs Alex as gay and flirts hard. Alex is taken aback but after a series of setbacks on the girlfriend front he takes the plunge and learns some interesting new facts about himself.
1
Ventriloquist Jeff Dunham brings his rude, crude and slightly demented posse of puppets to Ireland for a gleeful skewering of family and politics.
-2
In a misguided attempt to build up perpetually single Elsa's confidence, her friends hire a male escort. A comedy series set in Paris.
0
Spanish photographer Francesc Boix, imprisoned in the Mauthausen-Gusen concentration camp, works in the SS Photographic Service. Between 1943 and 1945, he hides, with the help of other prisoners, thousands of negatives, with the purpose of showing the freed world the atrocities committed by the Nazis, exhaustively documented. He will be a key witness during the Nuremberg Trials.
-1
Comic Jack Whitehall invites his stodgy, unadventurous father to travel with him to odd locations and events in an attempt to strengthen their bond.
-2
Unhappy after his new baby sister displaces him, four-year-old Kun begins meeting people and pets from his family's history in their unique house in order to help him become the big brother he was meant to be.
-1
Gloria Allred overcame trauma and personal setbacks to become one of the nation’s most famous women’s rights attorneys. Now the feminist firebrand takes on two of the biggest adversaries of her career, Bill Cosby and Donald Trump, as sexual violence allegations grip the nation and keep her in the spotlight.
-1
Saved from a plane crash and given supernatural powers, teen Tarzan joins forces with brave city girl Jane to protect his jungle home from threats.
0
Seoul, South Korea, 1997. When the young but extremely anxious student Jin-seok, his parents and his successful older brother Yoo-seok move to a new home, mysterious and frightening events begin to happen around them, unexplained events that threaten to ruin their seemingly happy lives. Unable to understand what is happening, Jin-seok wonders if he is losing his mind.
-5
Trevor Noah gets out from behind the "Daily Show" desk and takes the stage for a stand-up special that touches on racism, immigration, camping and more.
-1
In the heart of America's opioid epidemic, four men try to reinvent their lives and mend their broken relationships after years of drug abuse.
-3
Impending parenthood does funny things to Natasha Leggero and Moshe Kasher, who dissect family, relationships and more in a trio of stand-up specials.
-2
Charming Cursed to be TOO charming, Prince Charming, the most famous prince the world has ever known, has found himself engaged to three iconic princesses (Snow White, Cinderella and Sleeping Beauty)… all at the same time! In order to break his curse and free his kingdom from its ravages, Prince Charming must embark on an epic quest and wind his way through a series of seemingly impossible tasks to learn which of these three (3) princesses is his true love. Determined to make things right, the Prince is accompanied on this madcap journey by a clever and cunning hooligan named Lenore (who becomes his teacher and confidant). Along the way, the Prince realizes that Lenore is both his best friend and his true love and that life’s journey is not defined by whom you run the gauntlet for, but rather whom you run it with.
6
After causing the near extinction of mankind seven years ago, genius scientist Leon Lau must now fight the ecological disaster he unwittingly created.
0
Queen Poppy tries to keep Troll Village's peace with the Bergens by inviting them to parties, playing their sports and preventing crime.
0
The story of Lynyrd Skynyrd; The Greatest American Rock Band Ever. We fly beyond Free Bird to celebrate the life & times of leader Ronnie Van Zant, from boogie-woogie beginnings in Jacksonville’s Shantytown to a tragic end in a Mississippi swamp.
2
A behind-the-scenes look at the prolific label's legacy and offer an in-depth look at the two-night anniversary extravaganza that took place last May at Brooklyn's Barclays Center in honor of the late rap great, The Notorious B.I.G.
2
Comedian Bert Kreischer is ready to take his shirt off and "party hardy" with his debut Netflix Original stand-up special, Bert Kreischer: Secret Time. Considered one of the best storytellers of his generation, Bert regales the audience at the Trocadero Theatre in Philadelphia with stories about zip-lining with his family, his daughter practicing softball with an imaginary ball, and upstaging ex-NBA player Ralph Sampson at a childhood basketball camp.
2
During the Civil War, at a Southern girls’ boarding school, young women take in an injured enemy soldier. As they provide refuge and tend to his wounds, the house is taken over with sexual tension and dangerous rivalries, and taboos are broken in an unexpected turn of events.
-8
When her little sister claims she sees the dead, Alia consults a psychic, who opens her own eyes to the vengeful ghosts haunting their childhood home.
-3
Víctor is a film director who is overcome by his own misfortunes. He is an alcoholic, unemployed and terribly depressed, largely because of the death of his wife. However, Victor is still the best in one thing: telling fantastic stories to his nine-year-old son, Ingmar. These stories are each of the scripts he dreams of directing in the future, when he gathers all the necessary resources. Victor and Ingmar share a present full of sadness and precariousness, but also full of robots and locations of films they have seen together. Despite forming a great team, their problems will multiply when others begin to question their role as a father.
-4
Paris Hilton, the Fat Jew, and Brittany Furlan have all used social media to achieve massive internet fame. But, American Meme explores, is it worth it?
1
LA homicide detective Gene Handsome's knack for solving mysteries is matched only by his inability to make sense of his own problems.
-2
The lone surviving thief of a violent armored car robbery is sprung from a high security facility and administered an experimental drug.
-2
Woo Ah-Jin lives a luxurious life due to her wealthy father-in-law, but her father-in-law's finances become decimated and her husband betrays her. Woo Ah-Jin's life hits rock bottom. Park Bok-Ja is a mysterious woman and she hides her heartbreaking story. She brings about fierce hardship on Woo Ah-Jin.
0
The colorful crew at Gotham Garage overhauls an eclectic collection of cars and trucks, trading up to a showstopper they can sell for big bucks.
1
A quirky couple spends their three-year dating anniversary looking back at their relationship and contemplating whether they should break up.
-1
The country's most experienced bladesmiths, martial artists and knife experts slice, stab and chop their way through a blade-shattering gauntlet for a chance at winning a $20,000 grand prize.
1
A woman threatens to leave her husband unless he installs a toilet in their home. To win back her love and respect, he heads out on a journey to fight against the backward society.
2
A young man and woman find love in an unlikely place while carrying out a shady deal.
-1
When a pizza delivery driver is shot dead in south London, a tenacious detective goes after the people traffickers behind his murder and unravels a conspiracy that goes to the top.
-1
A family must use a magical box of Animal Crackers to save a rundown circus from being taken over by their evil uncle Horatio P. Huntington.
0
From baffling people on the street to orchestrating elaborate tricks, Justin Willman blends good-natured magic with grown-up laughs.
-1
A self-serving mythical creature's bid for invincibility backfires when he finds himself at the mercy of a woman who can see otherworldly beings.
1
Trapped in an empty building, nine people are forced to play a lethal game. All their movements will be recorded, and only one player can survive.
-2
Illusionist Derren Brown concocts a psychological experiment in which he tries to manipulate an ordinary person into taking a bullet for a stranger.
-2
Battle-scarred stand-up comedian Marc Maron unleashes a storm of ideas about meditation, mortality, documentary films and our weird modern world.
0
At the edge of Iceland’s Reykjanes peninsula, two women’s lives will intersect – for a brief moment – while trapped in circumstances unforeseen. Between a struggling Icelandic mother and an asylum seeker from Guinea-Bissau, a delicate bond will form as both strategize to get their lives back on track.
-2
Addie Moore and Louis Waters, a widow and widower, have lived next to each other for years. The pair have almost no relationship, but that all changes when Addie tries to make a connection with her neighbour.
0
This revealing portrait of Cuba follows the lives of Fidel Castro and three Cuban families affected by his policies over the last four decades.
0
Taylor Swift takes the stage in Dallas for the Reputation Stadium Tour and celebrates a monumental night of music, memories and visual magic.
4
Pregnant again, Ali Wong returns to Netflix in her second original stand-up comedy special and gets real on why having kids is not all it's cracked up to be.
-1
Upon realizing the extent to which women are affected by their menses, a man sets out to create a sanitary pad machine and to provide inexpensive sanitary pads to the women of rural India.
1
Martinón is the last inhabitant of Auzal, a village in the mountains where he lives in communion with nature. He only goes down to the valleys twice a year to trade and to buy provisions. But one day he’s convinced to take a wife, a decision intended to soften his calloused soul—but in some ways his real struggle is only just beginning.
-1
Unabashed comedian Lynne Koplitz offers a woman's take on being crazy, the benefits of childlessness and the three things all men really want.
1
25 years ago, four LAPD officers were acquitted in a state court for beating King, sparking three days of rioting that left 53 people dead. Now, around the anniversary, this Spike Lee-produced one-man show (Roger Guenver Smith) will be streaming on Netflix. A complex, semi-tragic figure, King drowned in 2012. His life was rarely smooth, or simple – its telling makes for a sober, moving watch.
-2
The life of a teenage boy is forever altered by a chance encounter with cutting edge military technology.
0
The 'Daily Show' host ponders the perils of naming countries, how traffic lights turn New Yorkers invincible and why you shouldn't drink in Scotland.
0
Offbeat comic James Acaster covers the strange, the mundane and everything in between in this collection of four wide-ranging stand-up specials.
-2
After Santa tells Michael Bolton that he needs 75,000 new babies by Christmas to meet toy supply, Michael Bolton hosts a sexy telethon to get the world to start making love.
2
Explore the relationship of two people as they go from being “just acquaintances” to “a genuine couple” — Yoon Jin Ah, a coffee shop  supervisor in her 30s, and Seo Joon Hee, a designer at a video game company who has just returned from working abroad.
1
"Frat Star" explores the alluring, superficial, manipulative, and dark world of Ivy League fraternity culture. An insecure, poor, and broken-hearted Nick enters freshman year with no interest in fraternities. This all changes when his old money roommate Billy convinces him to pledge.
-5
The most feared battle emcee in the early 1980s in Queens, New York, was a fierce teenager from the Queensbridge projects. At the age of 14, Roxanne Shanté was well on her way to becoming a hip-hop legend, as she hustled to provide for her family while defending herself from the dangers of the street.
-1
Five beautiful but mysterious women move in with unsuccessful novelist Shin, who manages their odd household in exchange for a tidy monthly sum.
-1
Springsteen on Broadway is a solo acoustic performance written and performed by Tony Award, Academy Award, and 20-time Grammy Award winner Bruce Springsteen. Based on his worldwide best-selling autobiography 'Born to Run,' Springsteen on Broadway is a unique evening with Bruce, his guitar, a piano, and his very personal stories. In addition, it features a special appearance by Patti Scialfa. Netflix will allow global audiences to see the show critics have been raving about from anywhere they are.
3
Soorma, a comeback story of the hockey legend Sandeep Singh is a biopic that chronicles the life and times of the famed hockey player.
1
She has more than work on her mind. Wen Nuan decides to quit her high-paying job in England to work as an executive assistant to the founder of a high-tech company in China. Zhan Nan Xian started the company with his classmates and used his financial savvy to weather the economic downturn and keep the company successful. It turns out that Wen Nuan and Nan Xian were in a relationship in the past. Can Wen Nuan make herself indispensable to Nan Xian in both his work and his life?
4
Three teens join forces to find a way home after waking up in a strange realm filled with magic portals, perplexing puzzles and vicious beasts.
-2
When a reporter goes undercover as a nanny to get the inside scoop on a playboy prince, she gets tangled in some royal intrigue and ends up finding love - but will she be able to keep up her lie?
0
In order to save her father's ailing bus company, competent but perennially overlooked Adaeze must find a way to work alongside feckless uncle Godswill.
-1
Traveling in search of the rare ingredient, “sky fish”  Meliodas and Hawk arrive at a palace that floats above the clouds. The people there are busy preparing a ceremony, meant to protect their home from a ferocious beast that awakens once every 3,000 years. But before the ritual is complete, the Six Knights of Black—a Demon Clan army—removes the seal on the beast, threatening the lives of everyone in the Sky Palace.
-2
In his first special since his serious car accident, Tracy Morgan cracks jokes about life in a coma, his second marriage and his family's dark side.
-3
A Taipei doctor and a San Francisco engineer swap homes in a daring pact, embarking on journeys filled with trials, secrets and unexpected encounters.
0
London, England, April 2015. Brian Reader, a retired thief, gathers an unlikely gang of burglars to perpetrate the biggest and boldest heist in British history. The thieves assault the Hatton Garden Safe Deposit Company and escape with millions in goods and money. But soon the cracks between the gang members begin to appear when they discuss how to share the loot.
-2
Iconic songstress Barbra Streisand culminates her 13-city tour in Miami with dazzling ballads, Broadway standards and stories from behind the scenes.
1
Brian Regan takes relatable family humor to new heights as he talks board games, underwear elastic and looking for hot dogs in all the wrong places.
1
Dueling high school debate champs who are at odds on just about everything forge ahead with ambitious plans to get into the colleges of their dreams.
2
New high school grad and avid gamer Cenk is recruited to an intense esports team that trains for a tournament with a life-changing prize.
1
These Mexico City socialites may lead opulent lives, but a peek behind the curtain reveals a tangled web of intrigue, envy and personal struggles.
2
The extraordinary story of how Hollywood changed World War II – and how World War II changed Hollywood, through the interwoven experiences of five legendary filmmakers who went to war to serve their country and bring the truth to the American people: John Ford, William Wyler, John Huston, Frank Capra, and George Stevens. Based on Mark Harris’ best-selling book, “Five Came Back: A Story of Hollywood and the Second World War.”
3
Describing herself as a 'street queen,' Johnson was a legendary fixture in New York City’s gay ghetto and a tireless voice for LGBT pride since the days of Stonewall, who along with fellow trans icon Sylvia Rivera, founded Street Transvestites Action Revolutionaries (S.T.A.R.), a trans activist group based in the heart of NYC’s Greenwich Village. Her death in 1992 was declared a suicide by the NYPD, but friends never accepted that version of events. Structured as a whodunit, with activist Victoria Cruz cast as detective and audience surrogate, The Death and Life of Marsha P. Johnson celebrates the lasting political legacy of Johnson, while seeking to finally solve the mystery of her unexplained death.
-4
When teen siblings Hayley and Alex enter an elite boarding school, they find rivalry, romance and a mystery related to the recent loss of their mom.
-2
Individually, bank employees Sanjay and Karina don't earn enough to be able to buy a home, so they decide to enter into a marriage of convenience.
2
In a world powered by advanced technology, crime and action unfold in the archipelagic nation of Cremona. Genius investigator Keith Flick rejoins the royal police force just as serial killer “B” emerges. Mysterious youth Koku may be an ally, or a target.
-1
Deadpan twin comics Keith and Kenny Lucas take the stage in Brooklyn with a set that touches on drugs, race, Deion Sanders, teachers and O.J. Simpson.
0
Dae-ho, an investigative journalist, seeks to track down the whereabouts of his son who was abducted three years ago. With the help of a detective and a psychiatrist friend, he will retrace his memory of the incident through the use of lucid dreaming techniques.
1
Based on the true story of Grace Marks, a housemaid and immigrant from Ireland who was imprisoned in 1843, perhaps wrongly, for the murder of her employer Thomas Kinnear. Grace claims to have no memory of the murder yet the facts are irrefutable. A decade after, Dr. Simon Jordan tries to help Grace recall her past.
0
In this unscripted series, families passionate about food serve up their most delicious dishes for the chance to be crowned Britain's best home cooks.
3
Hoping to find answers to her estranged father's mysterious illness, a young woman visits his old villa and uncovers a horrifying truth from the past.
-4
Kevin James makes his long-awaited return to stand-up in this family-friendly special, dishing on fatherhood, fans, his disdain for allergies and more.
-2
An anthology of four stories that sheds light on modern relationships from the viewpoint of the Indian woman.
1
Ellie, a recovering drug addict, has just moved to a new city with her two teenage children. She has struggled to stay sober in the past and is determined to make it work this time, finding a stable job and regularly attending her meetings. Unfortunately, new friends, a new job, and the chance of a new life, can’t keep Ellie from slipping once again. Her life changes when she meets Christopher – a different kind of addict – which forces her daughter and son to accept a new version of Ellie.
-3
Star chef David Chang leads friends on a mouthwatering, cross-cultural hunt for the world's most satisfying grub. All the flavor. None of the BS.
2
A self-loathing, failed Eastside novelist living in the ‘hipster’ neighborhood of Echo Park in Los Angeles is shocked to find himself falling in love with everything he hates, including a simple All-American blonde girl from the Westside.
-3
The incredible true story behind the most controversial Italian court cases in recent years. Stefano Cucchi was arrested for a minor crime and mysteriously found dead during his detention. In one week's time, a family is changed forever.
-3
In the year 2093, a team of scientists aboard the Nightflyer, the most advanced ship ever built, embarks on a journey to find other life forms. Their mission takes them to the edge of the solar system, and to the edge of insanity, as they realize true horror isn't waiting for them in outer space—it's already on their ship.
0
A scientist becomes obsessed with returning his family to normalcy after a terrible accident.
-1
Aspiring teenage astronauts reveal that a journey to Mars is closer than you think.
-1
The series dramatizes the life story of Mexican superstar singer Luis Miguel, who has captivated audiences in Latin America and beyond for decades.
0
An intimate look into the life of icon Quincy Jones. A unique force in music and popular culture for 70 years, Jones has transcended racial and cultural boundaries; his story is inextricably woven into the fabric of America.
1
Abducted and confined in a room by a gang of sadistic men, a pregnant woman tries to escape, against insurmountable odds.
-2
Norma, a typical teenager who is always online, created a joint social media account for her and her boyfriend to mark their third monthsary. She gets a rare illness called electromagnetic hypersensitivity, which means she can't be around cellphones, tablets, laptops, and Wi-Fi. To help her cope with her syndrome, Norma relocates to a remote province with no signal, forcing her to have a long-distance relationship with Leo.
-2
Bill Nye is retiring his kid show act in a bid to become more like his late professor, astronomer Carl Sagan. Sagan dreamed of launching a spacecraft that could revolutionize interplanetary exploration. Bill sets out to accomplish Sagan's mission, but he is pulled away when he is challenged by evolution and climate change contrarians to defend the scientific consensus. Can Bill show the world why science matters in a culture increasingly indifferent to evidence?
2
The boys are back on the loose as Bubbles, Julian and Ricky head south of the Canadian border for some outrageous American adventures.
-2
The social thriller starring a two year-old baby girl. She is living in a home where the adults are going through a complicated phase. Being a toddler, she is occasionally trapped in the accidental situations.
-3
To spice up a dinner party, old friends agree to share every private message that pops up on their phones -- with disastrous results.
-1
Ray is a fledgling entrepreneur who specializes in high-end simulated abductions. He jumps at the chance when a mysterious client contracts him for a weekend kidnapping with a handsome payday at the end. But the job isn't all that it seems.
0
Seth Rogen and friends combine stand-up, sketches and music for an outrageous comedy special that could only come from the mind of Seth. Guests include Tiffany Haddish, Sarah Silverman, Michelle Wolf, John Mulaney, Michael Che, David Chang, Ike Barinholtz, Chelsea Peretti, Kumail Nanjiani, Jon Lovitz, Jeff Goldblum, Sacha Baron Cohen, Nick Kroll, Post Malone, Chris Hardwick, and Craig Robinson & The Nasty Delicious.
-1
Hell-bent on avenging the murder of his family, a former detective infiltrates a remote island that serves as a prison for vicious death row criminals.
-6
Eleven high school classmates awaken, restrained to a large dining room. While fearing for their lives, they question a motive to this bizarre act.
-1
Dissatisfied with the dishonesty they see in dating, strangers Naima and Sergio make a pact to spend 24 straight hours together in an attempt to fast forward their relationship.
-2
Small-town import Ryan Hamilton charms New York with folksy comic observations on big-city life, hot-air ballooning and going to Disney World alone.
1
Lawmakers and activists with conflicting ideologies speak about the complexities of Catalonia's politics and the fight for its independence from Spain.
-1
Set in a chic and middle class Johannesburg, a jaded academic and his journalist wife have their lives turned upside down when a celebrated and hedonistic older writer unexpectedly moves into their home.
-1
In a village by the Lebanon-Syria border, the head of an arms-smuggling clan contends with family conflicts, power struggles and complicated love.
-2
Tony, a promising young motorcycle racer, is forced to do perilous drug runs to save the mother of his child from a dangerous mobster.
-2
Trailblazing comic Aditi Mittal mixes topical stand-up with frank talk about being single, wearing thongs and the awkwardness of Indian movie ratings.
-1
No-nonsense comic Bill Burr takes the stage in Nashville and riffs on fast food, overpopulation, dictators and gorilla sign language.
0
A young priest enlists the help of a demon hunter and a paranormal expert to search for a kidnapped girl in the underworld of Mexico City.
-1
Tensions run high between African American citizens and Caucasian cops in Jersey City when a teenage African American boy is critically injured by a cop.
-1
While investigating the furtive world of illegal doping in sports, director Bryan Fogel connects with renegade Russian scientist Dr. Grigory Rodchenkov—a pillar of his country’s “anti-doping” program. Over dozens of Skype calls, urine samples, and badly administered hormone injections, Fogel and Rodchenkov grow closer despite shocking allegations that place Rodchenkov at the center of Russia’s state-sponsored Olympic doping program.
-4
Five girls from India's most impoverished families attend a boarding school designed to create opportunities as they strive for a brighter future.
0
This documentary chronicles Johnny Cash's 1970 visit to the White House, where Cash's emerging liberal ideals clashed with Richard Nixon's policies.
1
Deadpan comic and self-proclaimed world champion Judah Friedlander performs over several nights in New York, explaining why America is No. 1.
1
The training programme of one of World War Two's most covert organisations, the Special Operations Executive or SEO, is resurrected.
0
When a down-to-earth Chicago baker and a soon-to-be princess discover they look like twins, they hatch a Christmastime plan to trade places.
1
In 1920s Madrid, four women at the National Telephone Company ring in revolution as they deal with romance, envy and the modern workplace.
2
In this new stand-up special, Norm Macdonald delivers sly, deadpan observations from an older -- and perhaps even wiser -- point of view.
-1
The series is a prequel, featuring the high school years of Flint Lockwood, the eccentric young scientist in the films. In his adventures, he will be joined by Sam Sparks, a new girl in town and the school's "wannabe" reporter, along with Flint's dad Tim, Steve the Monkey, Manny as the head of the school's audiovisual club, Earl as a school gym teacher, Brent as a baby wear model, and Mayor Shelbourne, who wins every election on the pro-sardine platform.
0
Teams of Australian homeowners compete for the title of best Instant Hotel by staying overnight in each other's rentals and rating their experience.
1
When her husband's sex game goes wrong, Jessie (who is handcuffed to a bed in a remote lake house) faces warped visions, dark secrets and a dire choice.
-4
Hardened by years in foster care, a teenage girl from Brooklyn’s Brownsville neighborhood decides that wrestling boys is the only way back to her estranged father.
-2
Renowned producer, director and writer Judd Apatow makes his long-awaited return to stand-up comedy with this new special shot in Montreal.
1
Cheeky comic Craig Ferguson keeps it casual as he discusses '70s porn, Japanese toilets and his mildly crime-filled days as a talk show host.
0
The gleefully irreverent Jefferies skewers “grabby” celebrities, political hypocrisy and his own ill-advised career moves in a brash stand-up special.
-2
The story of Alhaja Eniola Salami, a businesswoman and philanthropist with a checkered past and a promising political future. As her political ambitions see her outgrowing the underworld connections responsible for her considerable wealth, she's drawn into a power struggle that threatens everything she holds dear.
-1
Stand-up comic Katherine Ryan reminisces about unusual relationships, aging, Taylor Swift, life in the hometown she hates and the time she enraged an entire nation.
-2
Now the Blue Sky King, Darel must lead a rescue mission to save a Dream Walker -- leaving the village under the protection of the Kulipari youth.
2
When home entertainment enters the market in 90s Beijing, a former projectionist ropes his young son into starting their own pirate movie company, but easy money comes with its own price tag.
1
When Jonas was 14 he met the charismatic but mysterious Nathan. In addition to guiding him in his sexuality, Jonas soon confronts something dark and even dangerous about his new friend. Now an attractive, sexually assured adult, memories still haunt him. Trying frantically to put the missing pieces together, Jonas becomes determined to break the shackles of the past and finally set himself free.
-3
This documentary looks back on the life of legendary flamenco singer Camarón, who went from humble roots to rock star status to a tragic early death.
0
After he’s grounded by an injury, a high-flying bachelor is saddled with two wide-eyed orphans as they come face-to-face with the dangers and beauty of the outside world.
-2
Film fans work to restore the set of the climatic graveyard scene from the iconic spaghetti western “The Good, the Bad and the Ugly,” directed by Sergio Leone in 1966.
0
Seeking to recover his memory, a scissor-wielding, hairdressing, bungling quasi-assassin stumbles into a struggle for power among feuding factions.
-2
Sanju explores some of the most crucial chapters from movie star Sanjay Dutt’s dramatic and controversial real life. It gives a lowdown on his tryst with drugs and his trials and tribulations in the Arms Acts case and the 1993 Mumbai blasts.
-1
After their mother ends up in jail, two sisters turn to train robbery in order to support their family.
1
Champion truck-racing dog Buddy and his best friend, ferret mechanic Darnell, paw through the "maybe pile" and test out a bunch of crazy stunts.
0
A cop in Singapore investigates the disappearance of a Chinese migrant construction worker who spent sleepless nights playing a mysterious video game.
-1
She's savagely upbeat. Lovably awkward. And full of surprises. A wildly funny trip through a one-of-a-kind comic mind.
-1
In the small bordertown of Villefranche, lost in the heart of a large forest, crime rate is six times higher than elsewhere in the area. Each new crime Major Laurène Weiss solves with the help of her unusual team makes her sink deeper and deeper into secrets of the area.
-5
It's the summer before 6th grade, and Clark is the new-in-town biracial kid in a sea of white. Discovering that to be cool he needs to act 'more black,' he fumbles to meet expectations, while his urban intellectual parents Mack and Gina also strive to adjust to small-town living. Equipped for the many inherent challenges of New York, the tight-knit family are ill prepared for the drastically different set of obstacles that their new community presents, and soon find themselves struggling to understand themselves and each other in this new suburban context.
-3
Two school kids strike up a friendship with an orphaned puppy named Benji. When danger befalls them and they end up kidnapped by robbers who are in over their heads, Benji and his scruffy sidekick come to the rescue.
-2
"If you blush, you lose." Living by this principle, the middle schooler Nishikata gets constantly made fun of by his seat neighbor Takagi-san. With his pride shattered to pieces, he vows to turn the tables and get back at her some day. And so, he attempts to tease her day after day, only to find himself victim to Takagi-san's ridicule again sooner than later. Will he be able to make Takagi-san blush from embarrassment even once in the end?
-2
In 1970s Mexico City, two domestic workers help a mother of four while her husband is away for an extended period of time.
0
Authorized biopic of Brazilian evangelical bishop Edir Macedo, founder of the Universal Church of the Kingdom of God and owner of Record TV network. Based on a book trilogy of the same name, the movie tells the story of the self-made man who faced several moments of turbulence while pursuing his conviction.
0
Ten years ago, on a train home during the busy Spring Festival travel period, fate brings Xiaoxiao and Jianqing together. Like many young couples, they meet, fall in love, and strive to make it work, but eventually, the harsh realities of life make them drift apart. Ten years later, they run into each other again. Will they make the most of this second chance and rekindle what they once lost?
0
Following a disastrous drunken display at her younger sister's wedding, 38-year-old Buyi has her parents worried that she’s wasting her life working meaningless jobs. Her parents insist that she take her head out of the clouds and focus on finding herself a good man and settle down. Buyi is gutted. She returns from KwaZulu-Natal feeling hopeless about her love situation. Where is a heavyset black woman going to find a man in South Africa? Desperate, she reluctantly allows her sexy best friend, Lindi to help find her a man in the exclusive 'man market.' Between questionable concoctions, a quirky magician with a cat obsession, and a sex addict that can't get enough of a big butt, Buyi quickly loses hope of finding Mr. Right. A hilarious, heart-warming story of acceptance and hope.
-4
In Humboldt County, California, the big business of legal marijuana brings in visitors from around the world. Some are never seen again.
0
A series of OVA adaptations of the eponymous series of one-shots, featuring Diamond is Unbreakable character, Rohan Kishibe. Much like the one-shots themselves, the episodes are released out of order.
1
Somewhere in Spain, four ETA terrorists await a phone call before carrying out a mission, while the 2010 FIFA World Cup, where Spanish soccer team is one of the favorites to win, is being held in South Africa.
2
A prankster prince who wants to experience life as an ordinary teen leaves his kingdom to live incognito with a single mom and her studious son.
0
Lara Jean's love life goes from imaginary to out of control when her secret letters to every boy she's ever fallen for are mysteriously mailed out.
-2
A group of men and women, each burdened with a dark secret, look for love in this dating show with a twist. Hosted by reformed playboy Atsushi Tamura.
0
Barcelona, ​​Spain, 1921. A tough cop from Madrid arrives in the city to locate, under the suspicious scrutiny of corrupt local police officers, a significant amount of military weaponry stolen from a train, allegedly by revolutionary anarchists.
-1
Straightforward and innocent Hisone Amakasu is a Self-Defense Force rookie stationed at the Air Self-Defense Force's Gifu Base. She was struggling with the fact that she sometimes hurts people unintentionally by her innocent words and decided to join the Air Self-Defense Force, hoping to maintain a certain distance from people. This decision led her to a fateful encounter which profoundly changed her life. It was the "OTF" dragon hidden in the base and it chose Hisone as his pilot. When it soared into the sky with Hisone, her fate as a dragon pilot was decided. It is said that dragons have a key to the future of the world...
0
When a depressed woman is burglarized, she finds a new sense of purpose by tracking down the thieves alongside her obnoxious neighbor. But they soon find themselves dangerously out of their depth against a pack of degenerate criminals.
-4
The Democratic Republic of Congo has endured 20 years of devastating violence. Rape has been used as a weapon of war to destroy community and access precious minerals. Congo is often referred to as “the worst place in the world to be a woman.” "City of Joy" tells a different story of the region. The film focuses on Jane, a student at a center where women who have suffered unimaginable abuse join together to become leaders. We also meet the founders of the center: a devout Congolese Doctor, a Congolese activist, and a radical N.Y. playwright. The film weaves between joy and pain as these individuals band together to demand hope in a place so often deemed hopeless.
-6
The U.S. has long offered a promise of opportunity to immigrants, but currently immigration has become a divisive issue. This documentary illustrates how an understanding of our history and democracy is essential to constructive debate, informed civic participation and shaping a new class of citizens.
0
Germán, an honest family man, sees how his whole world wobbles the night when, driving home, accidentally runs over two teenage girls. From that moment, Germán will have to do everything in his power to prevent his life from being destroyed forever.
0
Busan, South Korea, 1970s. Lee Doo-sam is a small-time smuggler. After helping a drug gang to smuggle meth, he falls into the dark crime world. Quick-witted and full of ambition, he eventually takes over the drug underworld and starts to lead a double life: a good community leader during the day but an infamous drug lord during the night.
-1
Milk is Big Business. Behind the innocent appearances of the white stuff lies a multi-billion euro industry, which perhaps isn't so innocent…
-1
Can twelve 12-year-olds escape from the most ridiculously brilliant library ever created? Escape from Mr. Lemoncello's Library plunks a dozen sixth-graders into the middle of a futuristic library for a night of nonstop fun and adventure.
2
The town is shocked with a brutal double murder. The "Courier" hands the case to an experienced journalist - Witold Wanycz. At the same time, he learns about the mysterious suicide of two teenagers. Together with Piotr, a young journalist, they start their own investigation.
-5
Comedians Jimmy Carr, D.L. Hughley and Katherine Ryan tackle the world's woes with help from a rotating crew of funny guests and an actual expert.
-2
Marked by losses and mismatches, José's eccentric family seek to be happy while locked in Paraíso Perdido, a nightclub that has stopped in time, where they sing popular romantic music.
1
The king of underground comedy takes the stage in Jacksonville with unflinching riffs on American politics and the raunchy perils of getting old.
-1
You don't choose family, family chooses you.
0
Stand-up comic Joe Mande aims for critical adulation with this special that covers dating shows, "Shark Tank," Jewish summer camp and much more.
-2
This funnywoman champions feminism while explaining while walking down the street eating a banana is an extreme sport.
1
This docuseries examines the decades-old murder of Sister Catherine Cesnik and its suspected link to a priest accused of abuse.
-2
When a Galician shipper and drug lord hiding his Alzheimer's disease plans to retire, his second-in-command plots to steal the empire from the heir.
-2
Lifelong best friends Alexa and Katie are eagerly anticipating the start of their freshman year of high school. The pals confront a crisis that leaves them feeling like outsiders at a time when what seems to matter most is fitting in.
0
As daylight breaks between the border cities of El Paso, Texas, and Juarez, Mexico, undocumented migrants and their relatives, divided by a wall, prepare to participate in an activist event. For three minutes, they’ll embrace in no man’s land for the briefest and sweetest of reunions.
-2
When a group of teenagers goes on a spring break camping trip, an unfortunate accident sets off a race to save their friend’s most prized possession.
-2
A new couple, their exes and their children navigate the emotional challenges and tricky logistics of blended family life in this Swedish dramedy.
-1
Ron "Tater Salad" White dishes out his signature brand of cynicism, riffing on sex, celebrity and the sinister habits of wild geese.
-3
This true crime documentary series investigates cases where people convicted of murder claim their confessions were coerced, involuntary or false.
-5
Comedian Jack Whitehall takes the stage to tell stories about drinking, drugs, a Google Maps van and his ongoing rivalry with Robert Pattinson.
-1
A jaded rom-com screenwriter in her 30s mines four love-sick women for their stories under the guise of providing them with romantic advice.
0
In the wake of the 2012 Sandy Hook Elementary School massacre that took the lives of 20 first graders and their teachers, local clergymen Father Bob Weiss receives a letter from a fellow priest in Dunblane, Scotland, whose community suffered an eerily similar fate in 1996. From across the Atlantic, the two priests forge a poignant bond through the shared experience of trauma and healing.
-2
Mike Birbiglia declares that a joke should never end with "I’m joking." In his all-new comedy, Birbiglia tiptoes hilariously through the minefield that is modern-day joke-telling. Join Mike as he learns that the same jokes that elicit laughter have the power to produce tears, rage, and a whole lot of getting yelled at. Ultimately it's a show that asks, “How far should we go for the laugh?”
-3
The police officers at South Korea's busiest patrol division toil day and night as keepers of law and peace -- but the reality is far from orderly.
1
Fedoras, mom's underpants, and puppy love all make Jim Norton's s**t list in 'Mouthful of Shame'.
0
Shabana Khan is the special agent who is entrusted the task of assassinating a deadly arms dealer by the Indian Intelligence Agencies.
0
Arlen is sent to a fenced-off wasteland where undesirables are exiled to when she is kidnapped by a group of cannibals. She escapes and ends up on a journey to reunite a missing girl with her father.
-2
In 1976, reggae icon Bob Marley survived an assassination attempt as rival political groups battled in Jamaica. But who exactly was responsible?
-1
The story of the journey of married couple up the social latter. The husband is professor at Seoul National University who is running for the National Assembly, and his wife is a painter.
0
A young girl named Mija risks everything to prevent a powerful, multi-national company from kidnapping her best friend - a massive animal named Okja.
1
A powerful and inspirational story of dedication, danger, fear, and the rare ‘will’ some of us have to defy all personal limitations.  Experience the fastest motorsport on earth through the eyes of five-time champion Scott Dixon and the Chip Ganassi Racing team. Filmed with an access all areas lens, ‘Born Racer’ follows the people who are passionate about the world of auto racing and asks why some individuals feel compelled to face danger and risk their lives in order to win.  Both action-packed and highly-intimate, it features an intense blend of up close and personal filming with never-before-seen spectacular, cutting-edge racing footage to explore a sport that defines the very people who inhabit it, and pushes them to the edge in their desire for success.
1
Grammy-winning singer Loudon Wainwright III reflects upon his unique relationship with his father in an evening of original songs and heartfelt stories.
1
Dynamic comic DeRay Davis hits the stage like a ball of fire, nailing the finer points of living, dating and handling show business as a black man.
3
In a world that is less than kind, a young woman and a middle-aged man develop a sense of kinship as they find warmth and comfort in one another.
2
The uplifting and heart-wrenching struggles of families who treat their cancer-stricken children with marijuana, some with astonishing results.
1
Comedian Tig Notaro unleashes her inner prankster in a playful stand-up special packed with funny anecdotes, parenting confessions and more.
-1
Wry yet thoughtful, comedian Ari Shaffir brings his edgy humor to two fast-paced stand-up specials about children and adulthood.
3
Bitti Mishra is a bohemian Bareilly girl who falls deeply in love with Pritam Vidrohi, an author because she admires his progressive way of thinking. Finding him though proves to be as hard as looking for a needle in the haystack. So Bitti seeks the help of the local printing press-owner, Chirag Dubey on her journey of love.
1
Orbiting above a planet on the brink of war, scientists test a device to solve an energy crisis and end up face-to-face with a dark alternate reality.
-2
In 1977, a book of photographs captured an awakening - women shedding the cultural restrictions of their childhoods and embracing their full humanity. This documentary revisits those photos, those women and those times and takes aim at our culture today that alarmingly shows the need for continued change.
-2
When a mysterious box arrives at his door, a doctor and father is forced to participate in a twisted killing game, or risk losing everything.
-5
Country music star Brad Paisley hosts a night of music and laughs with comics Nate Bargatze, John Heffron, Jon Reep, Sarah Tiana and Mike E. Winfield.
0
When a romance between a widow and a notorious libertine takes an unexpected turn, Mademoiselle de Joncquières becomes instrumental to one lover’s plans for revenge.
-1
A 5-year-old girl embarks on a harrowing quest for survival amid the sudden rise and terrifying reign of the Khmer Rouge in Cambodia.
1
War looms over the kingdom of Neunatia, where two young women are both burdened and blessed by the power of song.
0
The parents of two young men assassinated in the drug trafficking war, looking to clean the names of their sons accused of being hired assassins armed to the teeth.
0
When the Italian Premier and his companion find a dead body in his hotel suite, while on a trip to Hungary, they find themselves embroiled in a series of comedic situations as they try to avoid a scandal.
-2
A relentlessly fast-paced baking competition that challenges brilliant bakers to create sweet treats that look and taste amazing – all against the clock. Who will race to the finish and win $10,000?
4
Documentary about the role of Native Americans in popular music history, a little-known story built around the incredible lives and careers of the some of the greatest music legends.
2
Cesar is 'the boss', the one everyone hates, the one some flatter and the one nobody tells the truth; the great successful businessman is on the edge of the precipice. One night his actions crumble down, his partners betray him and his wife kicks him out of the house. Entrenched in his office, he tries relentlessly to recover his company and his life. But he will not do it alone, César will find a very special ally, Ariana, the cleaner of the night shift.
1
A desperate father tries to return home to his pregnant wife after a mysterious apocalyptic event turns everything to chaos.
-4
Wicked one-liners and soul-baring confessions converge in this uniquely intimate stand-up special from "Chappelle's Show" co-creator Neal Brennan.
-1
Álvaro, a man obsessed with the idea of writing what he brands as “high literature,” manipulates the lives and feelings of the people around him to write about the consequences caused by his devious acts.
-1
Manel, a physicist working on his PhD thesis, accidentally fall in love with Elena, a young model and aspiring actress.
0
Haunted by the memories of home he once knew, a middle-aged tour guide unconsciously embarks on a journey to find self.
0
An aspiring teen thieves learn what it takes to be successful pickpockets on the streets of Bogotá
1
Kim Je Hyuk, a famous baseball player, is arrested after using excessive force while chasing a man trying to sexually assault his sister. Shockingly to him and the rest of the nation, he is sentenced to a year in prison. There, he meets his childhood friend and fellow baseball player, Lee Joon Ho, who gave up on baseball after a car accident, but now is a prison guard and one of Je Hyuk's biggest fans. The drama revolves around Je Hyuk's time in prison, as well as prisoners he meets and events that take place there.
-5
Comedian Vir Das tackles nationalism, globalism, good food and bad politics in two cleverly crosscut performances in New York and New Delhi.
1
Free-spirited writer Juliet Ashton forms a life-changing bond with the delightful and eccentric Guernsey Literary and Potato Peel Pie Society, when she decides to write about the book club they formed during the occupation of Guernsey in WWII.
0
An jihadist attack in the old town of Bilbao ends with the lives of seven people and leaves more than thirty badly injured. The police investigation focus on catching those responsible for the massacre.
-3
Lila, a famous retired singer, loses her memory after suffering an accident, just as she planned her return to the stage.
-1
A young priest coaches a team of uncoordinated monks in order to win a soccer tournament and save their monastery from being turned into a hotel.
1
In his first English-language special, comedian Gad Elmaleh gleefully digs into America's food obsessions, dating culture, slang, and more.
2
Based on a true story, the drama tells the tragic love story of Kim Woo Jin, a married stage drama writer, and Yun Shim Duk, Korea's first professional soprano, who meet while studying at Tokyo University in the 1920s. Yun Shim Duk's recording of "Death Song" became the first Korean pop song in 1926.
0
When a gun-toting rebel tries to rescue her kidnapped sister, she finds herself up against a widely feared desperado and a cursed guardian of treasure.
0
Ram Dass is one of the most important cultural figures from the 1960s and 70s. A pyschedelic pioneer, author of Be Here Now, beloved spiritual teacher, and outspoken advocate for death-and-dying awareness, Ram Dass is now himself approaching the end of life.  Since suffering a life-changing stroke twenty years ago, he has been living at his home on Maui and deepening his spiritual practice — which is centered on love and his idea of merging with his surroundings and all living things.  Shot in a nuanced cinematic style, the film is an intimate summary of his life learning and awareness, and is ultimately a poetic meditation on life, death, and the soul’s journey home.
6
Set in a near-future world where there is no privacy, ignorance or anonymity, our private memories are recorded and crime almost ceases to exist. In trying to solve a series of unsolved murders, Sal Frieland stumbles onto a young woman who appears to have subverted the system and disappeared. She has no identity, no history and no record. Sal realizes it may not be the end of crime but the beginning. Known only as 'The Girl', Sal must find her before he becomes the next victim.
-5
A young man becomes host to a legendary infernal sword and, with the fate of humanity now in his arm, wields its demonic power against his enemies.
-2
A chief mechanic at a factory, haunted by apocalyptic nightmares, becomes a hero when Earth is invaded by a mysterious army bent on destruction.
-4
A young woman gets more than she bargains for and is drawn into a web of deceit when she is hired by a socialite to assist with his scheme to marry a wealthy heiress.
1
As Bright Fields preps for its Mistletoe Ball, a broken ornament leads Zoe to a family secret, while Gaby finds herself at the mercy of new boss Mia.
2
In this special live event, giants of stand-up come together to commemorate the 25th anniversary of Russell Simmons's groundbreaking "Def Comedy Jam."
0
Examining the violent death of the filmmaker’s brother and the judicial system that allowed his killer to go free, this documentary interrogates murderous fear and racialized perception, and re-imagines the wreckage in catastrophe’s wake, challenging us to change.
-6
An investigative reporter seeks to expose the whereabouts of a slush fund belonging to the former president of South Korea, Lee Myung-bak.
0
Tom Segura gives voice to the sordid thoughts you'd never say out loud, with blunt musings on porn, parking lot power struggles, parenthood and more.
-3
An American stand-up comedy special starring Marlon Wayans who jokes about racism, hip-hop, gay rights, and raising kids.
-1
Set against the backdrop of San Francisco’s Chinatown, this cross-cultural biopic chronicles Bruce Lee’s emergence as a martial-arts superstar after his legendary secret showdown with fellow martial artist Wong Jack Man.
0
In 1905, a man travels to a remote island in search of his missing sister who has been kidnapped by a mysterious religious cult.
-1
Madrid, June 1991. After celebrating a session of Ouija with her friends, Verónica is besieged by dangerous supernatural presences that threaten to harm her entire family.
-3
Fourth-grade friends George and Harold have a shared love of pranks and comic books -- and turning their principal into an undies-wearing superhero.
1
It's the "Nailed It!" holiday special you've been waiting for, with missing ingredients, impossible asks and desserts that look delightfully sad.
-1
When teenager Elle's first kiss leads to a forbidden romance with the hottest boy in high school, she risks her relationship with her best friend.
1
Laura and Carlos love each other as if every day was the last, and perhaps that first love intensity is what will tear them apart a year later.
2
Arab-American comedian Mo Amer recounts his life as a refugee comic, from traveling with the name Mohammed to his long path to citizenship.
0
Matt Ryder is convinced to drive his estranged and dying father Benjamin Ryder cross country to deliver four old rolls of Kodachrome film to the last lab in the world that can develop them before it shuts down for good. Along with Ben's nurse Zooey, the three navigate a world changing from analogue to digital while trying to put the past behind them.
-1
The first and only Taiwanese player for the New York Yankees, Chien-Ming Wang held many titles: American League Wins Leader, World Series Champion, Olympian, Time 100 Most Influential, and The Pride of Taiwan. He had it all - until a 2008 injury forever altered the course of his career. Late Life: The Chien-Ming Wang Story - named after the late sinking action on his signature pitch - follows the rise and fall of the international icon as he fights his way back into the Major Leagues through endless rehab programs and lengthy stints away from home, carrying the weight of the world on his battered shoulder. A poignant and intimate account of Wang’s steadfast quest, Late Life tells the story of a man who is unwilling to give up and unable to let go.
0
The quirky experiences of a popular singer who returns to school and becomes seat mates with a seemingly ordinary girl.

When Si Tu Feng decides to go back to school, he becomes the center of attention as fans, classmates and the media follow his every move. He meets Chen Qing Qing, an ordinary student with a dual personality.
1
Raghav, a professional boxer, finds himself in a fix when an unexpected turn of events gets him tangled in a battle between his passion, family and the love of his life.
0
A rock star general bent on winning the “impossible” war in Afghanistan takes us inside the complex machinery of modern war. Inspired by the true story of General Stanley McChrystal.
-1
True story of Ashraf Marwan, who was President Nasser's son-in-law and special adviser and confidant to his successor Anwar Sadat - while simultaneously Israeli Intelligence's most precious asset of the 20th century. Based on NYT bestselling book 'The Angel: The Egyptian Spy Who Saved Israel' by Uri Bar-Joseph.
3
Reunited in their hometown for their father's funeral, two self-interested brothers meet a peculiar woman who shares a huge secret about their family.
-2
His limitless imagination and effortless transformations add up to a night of unpredictable character-driven comedy.
0
With bone-dry wit, stand-up comic Todd Barry dissects texting emergencies, Hitler's taste in wine, pricey soap, cheap pizza and much more.
-3
‘Awe’ charts the journey of a motley of characters that have nothing to do with each other but are yet connected by a single, fragile string. Who are these people and what about their lives connect them to each other is what the film is all about.
-1
In the 1940s, Malays were world-renowned for their seafaring skills. Being of Bugis descent, they navigated the sea with natural ease and were often the favored seamen for international shipping lines. Othman, a fisherman from a small village in Malacca, leaves his family behind to sail the world, with hopes to return home one day with worldly riches and deserved pride. After decades at sea, however, his low wages as a deckhand leaves him disillusioned. He contemplates returning home to his family but ended up settling down in Liverpool, England. 60 years later, his grandson, Ahmad, journeys halfway across the world in search of his grandfather.
4
Dovlatov charts six days in the life of a brilliant, ironic writer who saw far beyond the rigid limits of 70s Soviet Russia. Sergei Dovlatov fought to preserve his own talent and decency with poet and writer Joseph Brodsky, while watching his artist friends got crushed by the iron-willed state machinery.
-1
High school student Ichigo Kurosaki lives an ordinary life, besides being able to see ghosts and the blurry memories of his mother's death under strange circumstances when he was a kid. His peaceful world suddenly breaks as he meets Rukia Kuchiki, a God of Death.
-4
Take the Ball, Pass the Ball is the definitive story of the greatest football team ever assembled. For four explosive years, Pep Guardiola's Barça produced the greatest football in history, seducing fans around the world. In this exclusive, first-hand account of events between 2008 and 2012, the players themselves reveal the tension of the bitter Guardiola-Mourinho rivalry, the emotion of Abidal's fight back from cancer to lift the European Cup and how Messi, the best footballer the world's ever seen, was almost rejected by Barça as a 13-year-old.
-2
A year after Amber helped Richard secure the crown. The two are set to tie the knot in a royal Christmas wedding — but their plans are jeopardized when Amber finds herself second-guessing whether or not she's cut out to be queen, and Richard is faced with a political crisis that threatens to tarnish not only the holiday season but the future of the kingdom.
0
Maths teacher Ted Slauson became adept at recording and memorizing prices of products featured on the iconic game show The Price is Right, an obsession dating back to the show's inception in 1972. This passion and dedication for the show culminated in him helping a contestant place a perfect bid during a 2008 showcase, an innocent act that would create one of the biggest controversies in television industry history.
4
On a bleak future Earth, a soldier endures a radical genetic transformation to save humanity. But his wife fears he's becoming more creature than man.
-3
Between raising a teenage boy and growing up with a Filipino mother, stand-up comic Jo Koy has been through a lot. He's here to tell you all about it.
0
Russell ruminates on the state of the world and reflects how life has changed since he became a father.
0
Gary, who has just married Samantha, the woman of his dreams, discovers that her six-year-old son may be the Antichrist.
0
In the post–World War II South, two families are pitted against a barbaric social hierarchy and an unrelenting landscape as they simultaneously fight the battle at home and the battle abroad.
-2
Wael, a former street child, makes a living from small scams with his adoptive mother and partner-in-crime Monique. When this unconventional duo swindles the wrong guy, Victor, an old acquaintance of Monique now in charge of a support organization for troubled teens, they have no choice but to become his interim secretary and educator in order to redeem themselves.
-2
Forced into exile by the English after being crowned King of Scotland, legendary warrior Robert the Bruce fights to reclaim the throne.
1
Ely is 17 years old. After school, she works few hours at a pet shop. When Ely learns that she is pregnant, her inner world explodes even though she tries to go on with her daily routine as if nothing was different. She is afraid and upset, and she knows that, whatever she decides to do, there is no turning back.
-1
The irrepressible Alonzo skewers Latino stereotypes, pricey luxuries and her mother's tough-love parenting in a night of sly and infectious comedy.
-3
Comedian Rory Scovel storms the stage in Atlanta, where he shares unfocused thoughts about things that mystify him, relationships and the "Thong Song."
-1
A young man comes to possess a supernatural notebook, the Death Note, that grants him the power to kill any person simply by writing down their name on the pages. He then decides to use the notebook to kill criminals and change the world, but an enigmatic detective attempts to track him down and end his reign of terror.
-5
Mauli is a tough cop whose in control when in uniform.But a big terror to criminals without uniform he gets transferred to Kapur village which has no respect for cops and it's temple is closed since last 15 years due to terror of Nana Londhe.Mauli beats his men black and blue where he finds admire in Renuka.Its soon reveled that Mauli is a simple man but the actual terror cop is his twin brother with the same name.Mauli's brother dies while trying to save Mauli from Nana leaving Mauli helpless in the village and face humiliation in front of Nana's terror.
-4
Comedian D.L. Hughley riffs on politics, "Black Panther," his upbringing and more in a rapid-fire stand-up show at Philadelphia's Merriam Theater.
0
A young man who stands for the right discovers that he's destined to do bigger things, which will transform him from a common man into a Superhero.
1
Live from Hamburg, Iranian-German comedian Enissa Amani shares her take on German engineering, tax deductions and online fan-mail etiquette.
0
Eduard, a husband and father who loses his family in a tragic accident, travels to parallel universes to seek a better fate for his beloved wife.
0
A simple yet proud rancher conspires to murder his wife for financial gain, convincing his teenage son to participate.
2
From crippling payday loans to cars that cheat emissions tests, this investigative series exposes brazen acts of corporate greed and corruption.
-5
Laura, a Spanish woman living in Buenos Aires, returns to her hometown outside Madrid with her Argentinian husband and children. However, the trip is upset by unexpected events that bring secrets into the open.
-2
While martial arts champion Baki Hanma trains hard to surpass his legendary father, five violent death row inmates descend upon Tokyo to take him on.
0
After discovering the family of Solomon Linda, the writer of "The Lion Sleeps Tonight," a reporter tries to help them fight for fair compensation.
1
Federico Veiroj’s fourth feature examines the many, often contradictory layers that make up one’s persona, in this case, a single dad and acclaimed artist who must learn to balance family with creativity.
0
A politically sensitive murder forces two disparate detectives into a battle with the Berlin underworld and a confrontation with their own corruption.
-2
Seth Davenport is masquerading as a small town Iowa preacher in the hopes of starting a full-blown insurrection against the status quo, unaware that an industrialist tycoon has hired a professional strikebreaker to stop the uprising by any means necessary. An epic saga of the secret history of the 1930’s American heartland, chronicling the mythic conflict and bloody struggle between big money and the downtrodden, God and greed, charlatans, and prophets.
-7
When Stella finds out her terminal cancer is cured, she's going to have to learn to live with all the choices she's made when she decided to "live like she was dying".
-1
Sequel to Lammbock. Stefan and Kai meet again after years. Stefan became a successful lawyer in Dubai while Kai is stuck in their home town. Kai has relationship issues and is trying hard to get in touch with his step son who is getting in serious trouble with some drug dealers. Can Kai and Stefan solve his problems? And what happened to their old friend Frank?
-4
A gambling addict faces a conflict when entrusted with keeping a bunch of money that isn't his.
-2
Comedian W. Kamau Bell muses on parenting in the Trump era, "free speech" dustups, woke children's TV and his fear of going off the grid.
1
The investigations of two police officers from The Brussels Digital Unit, a unit specializing in cybercrime.
0
Follow Superwog and best friend Johnny as their misadventures cause Superwog's primitive, highly-strung father stress as he battles to keep his delusional, but loyal wife happy.
0
Emergency has been declared in India. Maharani Gitanjali from one of Rajasthan's princely states has already lost her privy purse. Now, she fears that she will lose the last treasure chest of gold which has been forcibly taken away from her. So she asks her trusted lieutenant, Bhawani to step in and plan a heist.
-1
Suspense, surprises and fun abound in this Korean variety game show featuring big personalities and even bigger mysteries in every episode.
2
A gifted teenage detective searches for his missing father with his ladylove assistant.
1
With this film (the second war trilogy set during the Filipino-American war in the early 1900s), the revolution marches on against the Americans after the bloody death of General Antonio Luna. The conflicted philosophies behind the heroic struggle continue and become personified in the colorful character of General Gregorio "Goyo" del Pilar.
-2
An enterprising cupcake and his cheerful dinosaur brother take on jobs of all sorts as they work to help friends and strangers in their eccentric city.
1
17-year-old Jana has a congenital heart defect. To defy fate, Jana seeks every challenge, plunges into every wild and dangerous adventure. Her parents does not like that and are even more in constant fear of their daughter.
-4
When a popular anchorwoman for a prime time news show becomes the suspect in a murder case, her estranged husband - who has worked as a prosecutor in the past but now works as a public defender - decides to defend his wife.
1
After sparing a girl's life during a massacre, an elite Triad assassin is targeted by an onslaught of murderous gangsters.
-4
In this sequel, a group of expert drivers skilled in drifting and high-speed racing is recruited to perform obscure tasks for a shadowy gang.
-1
The account of keepers of the Warsaw Zoo, Jan and Antonina Zabinski, who helped save hundreds of people and animals during the Nazi invasion.
1
In a hypercompetitive world, drugs like Adderall offer students, athletes, coders and others a way to do more -- faster and better. But at what cost?
3
After being infected in the wake of a violent pandemic and with only 48 hours to live, a father struggles to find a new home for his baby daughter.
-3
A link in their pasts leads an honest cop to a fugitive gang boss, whose cryptic warning spurs the officer on a quest to save Mumbai from cataclysm.
-1
An estranged family gathers together in New York for an event celebrating the artistic work of their father.
0
A trip to church with her family on Christmas Eve gives young Angela an extraordinary idea. A heartwarming tale based on a story by Frank McCourt.
2
A couple’s caustic, increasingly jarring interactions over a Mumbai evening strain their relationship until it threatens to break at its fraying seams.
-4
Christina Pazsitzky hits Seattle with a biting dose of reality, telling truths about her childhood, getting older and the horrors of giving birth.
-1
A single mother in London's Camden Town hears music when she meets a handsome stranger with a past. But she's not sure she's ready to open her heart.
1
In the 14th century, Barcelona is experiencing one of its most prosperous moments. The city has grown to La Ribera, a fishing district in which the largest Marian temple ever known is built: Santa María del Mar. But the construction runs parallel to Arnau Estanyol, a serf of the land who, fleeing the abuses of The feudal lords of the countryside take refuge in Barcelona.
-2
Taxi driver Phanishwar is living with a mysterious girl, Nanaam, who he keeps in chains. When a medical student, Rami, a victim of revenge porn leaked online by an ex-boyfriend, seeks refuge in Goa, she stumbles into the strange but placid lives of Phanishwar and Nanaam.
-4
Jaime, a doctor who lives in Seville, finds his life radicallychanged when his son is left fighting for his life after beingbeaten up during a robbery. The feelings of pain andhelplessness soon change to feelings of hate and anger,converting a good dad into a dehumanised man.
-2
The war on terror is everywhere and anywhere. In this series, we learn about the deadly terrorist attacks that almost happened or were not as deadly as planned. Each episodes explores a recently declassified terrorist scheme intended to cause mass casualties.
-5
Fleeing their doomed warren, a group of rabbits struggle to find and defend a new home.
-3
Bill Nye explores science and its impact on politics, society and pop culture. Each episode tackles a topic from a scientific point of view, dispelling myths, and refuting anti-scientific claims that may be espoused by politicians, religious leaders or titans of industry.
-2
After spending seventeen years in prison unfairly, a talented songwriter seeks revenge on the men who sank her and killed her family.
-3
While investigating the disappearance of a teen girl in a tight-knit Galician town, a Civil Guard officer uncovers secrets linked to a loss of her own.
-1
After falling off a cliff and suffering substantial injures, for 48 long hours a young surfer must face a merciless nature and his own physical and mental agony to try to survive.
-4
Hari Kondabolu breaks down identity politics, celebrity encounters, his mango obsession and more in an unpredictable stand-up comedy special.
-1
Ms. Frizzle's sister takes her class on a slew of wild science adventures in this update of the beloved animated show.
0
When Sanlian's ex-husband passes away, she discovers he has altered his insurance policy, cutting out their son in favor of a stranger named Jay.
0
A few individuals in the medical profession are murdered or kidnapped, and the cop investigating the case suspects a doctor and arrests him. But is he the one who is behind these crimes? And why are they being committed?
-2
The definition of "tourism" is redefined as New Zealand filmmaker David Farrier sets his sights on the world of dark tourism.  From nuclear tourism in Japan to Pablo Escobar-inspired tourism in Columbia to frontier tourism in Turkmenistan, David visits the world’s grisly and offbeat destinations, meeting travelers drawn to them, and the people telling these stories day after day.
-2
A crew of car lovers at a garage in the Rocky Mountains transforms abandoned heaps of rust into collectible classics.
0
Filmed and edited in intimate vérité style, this movie follows visionary medical practitioners who are working on the cutting edge of life and death and are dedicated to changing our thinking about both.
2
To inherit her father's company, socialite Ellen must first visit his small hometown, where she learns the value of hard work and helping others.
1
Pot activist Ruth Whitefeather Feldman runs a medical marijuana dispensary while encouraging her loyal patients to chill out and enjoy the high life.
3
In a world overrun by zombies, military personnel and survivalists live in an underground bunker while they seek a cure.
-1
When a young woman's murder shows similarities to a decade-old cold case, a new police commander must break the silence permeating an Owl Mountain town.
-3
Susan, a single mother of two, works as a waitress in a small town. Her son, Henry, is an 11-year-old genius who not only manages the family finances but acts as emotional support for his mother and younger brother. When Henry discovers that the girl next door has a terrible secret, he implores Susan to take matters into her own hands.
2
After ending his long-term relationship, Antonio is sure that he can quickly get over Sofia. But nothing is as simple as it seems. And realizing the impossibility of controlling his own feelings, he begins to boycott them, using all sorts of contemporary palliative measures to free himself from the memories of his ex: cognitive psychoanalysis, prescription drugs, Tinder, among others. Ergo, Antonio will go through several tragicomic situations.
0
Dany Boon says farewell to the stage after 25 years of comedy. For the last time, Dany Boon paints his absurd scenes, colorful characters, life struggles and takes us to his homeland: north of France.
-1
Self-deprecating comic Russell Howard plows ahead through politics, porn, social media and his own shortcomings. Yet he somehow keeps it positive.
0
Children from influential families in politics and businesses attend the Hyakkaou Private Academy. There, the hierarchy of the students are classified by a series of games. Students that win the games are on the ruling side and the students who lose become slaves. One day, a mysterious girl, Yumeko Jabami (Minami Hamabe), is transferred to Hyakkaou Private Academy. She looks pure and pretty, but she is actually a compulsive gambler and seeks out the thrill of taking calculated risks.
0
A wannabe actor lands himself in trouble when he disguises as an ambulance driver to help his bed-ridden father
-1
A visually spectacular dystopian take on an Arab world torn apart by social disorder.
0
Life of three men comes in trouble when their photos appear on advertisement for sterilization.
-1
Jules has just moved back home. She has no idea what she's doing or where she's going next.
0
After moving to Mumbai, an ambitious young man becomes the stock trader for a notorious businessman.
0
The outward perfection of a family-run flower business hides a dark side rife with dysfunctional secrets in this darkly humorous comedy series.
0
From his days of testifying at the Watergate hearings to advising recent presidential candidate Donald Trump, Roger Stone has long offended people on both sides of the political fence as a force in conservative America. Outspoken author, pundit, ahead of his time election strategist, this is his story.
0
A widow struggles with the dilemma of her own growing sexual needs, and her desire to remain faithful to the memory of her late husband.
-1
Singleton Kartar Singh is left with the responsibility of raising his two orphaned nephews. He asks his brother in Punjab to raise Charan and his sister in London to raise Karan. When the twins cross continents, they leave behind a trail of confusion.
-1
A bullied teenager turns to beauty pageants as a way to exact her revenge, with the help of a disgraced coach who soon realizes he's in over his head.
-1
12-year-old Oriko Seki, who lost her parents in a car accident, ended up living in her grandmother's Onsen Ryokan "Haru no Ya." With the ghost "Uribou" cohabitating with her and all the other odds, she ended up training to be a young female innkeeper. At first, she didn't like the training, but gradually felt her admiration for her title and began to train seriously. Thus, the growth of the young warrior Oriko begins.
1
When Bumblebee begins to suffer amnesia, his partner, Windblade, comes to the rescue, and repairs his memory chips, enabling him to rediscover his past adventures on Cybertron. Once his memories are repaired, Bumblebee gets a clue that will lead both him and Windblade to complete their current mission and save their friends, unaware that Megatron sent his Decepticon assassins to hunt them down.
-1
Noah spends the perfect first night with the girl of his dreams Avery but gets relegated to the friend zone. He spends the next three years wondering what went wrong - until he gets the unexpected chance to travel back in time and alter that night, and his fate, over and over again.
-1
Ustaz Adam has to help a friend whose village is corrupted by a group of misguided religionists lead by a sinister sorcerer. To make matter worse, Adam himself is also being mysteriously haunted by evil apparitions that keeps disturbing him from time to time.
-6
A love story between a young lawyer called Emma and a Noah, a rock star.
1
Two Peruvian detectives must capture Abimael Guzman, the leader of terrorist organization Shining Path, but their intense and complex relationship will endanger their mission and their lives, in the midst of violent Lima of 1992.
-4
A young Aji Mathew is a communist who goes the whole nine yards for the ideologies he believes in. When the girl he loves leaves to the US out of the blue and her parents fix her wedding, Aji is left with just a fortnight to reach the country albeit with no passport or visa. How far he is willing to go for love forms the plot.
2
Four women, whose kids attend the same preschool class, get together for a "fun mom dinner". When the night takes an unexpected turn, these unlikely new friends realize they have more in common than just marriage and motherhood.
-1
The world's got a lot of problems, but Vir Das has a lot of answers as he discusses travel, religion, his childhood and more in this stand-up special.
-1
Detective Mark Corley storms his way onto an alien spaceship to rescue his estranged son. When the ship crashes in Southeast Asia, he forges an alliance with a band of survivors to take back the planet once and for all.
-1
When the Chinese Communist Party backtracks on its promise of autonomy to Hong Kong, teenager Joshua Wong decides to save his city. Rallying thousands of kids to skip school and occupy the streets, Joshua becomes an unlikely leader in Hong Kong and one of China’s most notorious dissidents.
-2
The movie tells the story of a young girl, who goes from being a shop girl to a billionaire, after her father leaves her his empire to run.
0
A former American G.I. joins a yakuza family after his release from prison in post-World War II Osaka.
-1
A human child raised by wolves, must face off against a menacing tiger named Shere Khan, as well as his own origins.
0
When overscheduled teenager Jake Armstrong and his two best friends are accidentally exposed to an experimental chemical, they become Stretch Armstrong and the Flex Fighters, a team of unlikely superheroes who expand beyond the confines of their lives and embark on a series of adventures.
0
Two lifelong friends head up to an isolated Scottish Highlands village for a weekend hunting trip that descends into a never-ending nightmare as they attempt to cover up a horrific hunting accident.
-3
A case of mistaken identity results in unexpected romance when the most popular girl in high school and the biggest loser must come together to win over their crushes.
-2
Former Club de Cuervos player Potro returns home to Argentina to crash the wedding of his famous soccer-star brother and confront his estranged family.
-2
Laura Price, a local news producer in San Francisco, is helping the police to hunt down a serial killer. After the killer strikes close to home, a twist of fate allows a “Groundhog Day”-type reset, and Laura relives the week prior to the string of murders. Can she change fate and stop the killer?
-5
Honest cop Tony Jr. gets advice from his unscrupulous father, retired NYPD officer Tony Sr., about everything from his job to his love life.
1
Driss and Manuel both grew up on the same council estate. An estate where the sense of belonging to your patch is much stronger than the sense of belonging to a country, a nation or a culture... Manuel has assimilated this belonging, and he has even benefited from it and built his life on it. Driss, meanwhile, has shunned it. They will both have to face up to the consequences of their decisions – because they will each have a price to pay…
0
In an ancient sport traditionally reserved for men, 20-year-old female sumo prodigy Hiyori attempts to revolutionize Japan’s national pastime.
2
Lillie, a determined American woman, ventures overseas to join Dr. Jude at a remote medical mission in the Ottoman Empire (now Turkey). However, Lillie soon finds herself at odds with Jude and the mission’s founder, Woodruff, when she falls for the titular military man, Ismail, just as the war is about to erupt.
-1
French comic Gad Elmaleh regales a Montreal crowd with tales of awkward mix-ups and baffling customs he's encountered since moving to the U.S.
-2
Queen Victoria strikes up an unlikely friendship with a young Indian clerk named Abdul Karim.
-2
Richard and Rachel, a couple in the throes of infertility, try to maintain their marriage as they descend deeper and deeper into the insular world of assisted reproduction and domestic adoption.
-1
A New Jersey mom puts her relationship with her daughter to the test when she lands an internship at the same TV station where her daughter works.
1
A couple who have known each other since 8 are destined to be together until death do them apart.
-1
From a schoolboy’s crush to a middle-aged bachelor’s office romance, four love stories spanning age, religion and status unfold in a small Indian town.
0
Faking his death to escape the realities of his uneventful life worked out well for Brij Mohan -- until he was sentenced to death for his own murder.
-2
The true story of Madalyn Murray O'Hair -- iconoclast, opportunist, and outspoken atheist -- from her controversial rise to her untimely demise.
-3
Deep into Hell Week, a favored pledgee is torn between honoring his code of silence or standing up against the intensifying violence of underground hazing.
1
In what appears to be a serendipitous encounter upon saving the life of a stranger, the calculated and reserved businessman Nick meets the impulsive and optimistic photographer Ali, who believes in destiny and carpe diem, or seizing the day. Nick, who seeks closure for his past mistakes, is drawn towards Ali's spirit and vigor. Despite living with a congenital heart disease and being on the wait-list for a heart transplant, Ali continues to be hopeful about her future. Ali challenges Nick to seize every moment of his life before it's too late. Meanwhile, Nick finds a way to give Ali a new lease on life - even if it means risking one's life and their love for each other.
1
Castle & Castle is a law series that follows the story of a married couple, ‘Remi Castle’ and her husband ‘Tega’ – two lawyers who run a successful practice in Lagos. They met 20 years ago when he taught her in law school.
1
As boxing's popularity wanes, three fighters at different stages of their career make sacrifices to pursue their dreams of becoming champions.
0
Comedian and celebrity impersonator Joaquín Reyes decides to be his zesty self for a night of stories about buses, bathroom habits, royalty and more.
0
The remarkable life story of the pre-war Polish artist Stanislav Szukalski, documented by the American friends he made late in life.
1
Kak Limah is discovered dead by villager. Since then, her ghost has been spotted around Kampung Pisang, making the villagers feel restless. Enter Encik Solihin, who tries to help by shooing her ghost away from the village. Husin, Encik Solihin and other villagers trying to overcome this problem. However, the tragedy behind Kak Limah's death has yet to be unveiled.
-5
In Japan in the year 2035, an accident known as the "Burst" occurs during a research project, spawning an out-of-control artificial life form called "Matter" that has spread throughout the Kurobe Gorge. The research city that was once hailed as the hope for humanity is cordoned off by the government. Two years later, 15-year-old Aiko Tachibana, who lost her family in the Burst, learns something unbelievable from Yuya Kanzaki, a new student at her school. A secret is hidden within her body, and the answer to the puzzle lies at the "Primary Point" that was the center of the Burst. Aiko resolves to infiltrate the restricted area, escorted by a team of divers and with Yuya as her guide. When boy meets girl with the fate of humanity in their hands, what new truth will come to light?
-4
The courtroom and publicity battles between the superstar wrestler and the notorious website explode in a sensational trial all about the limits of the First Amendment and the new no holds barred nature of celebrity life in an internet dominated society.
-1
Kpop star Seungri, BIGBANG youngest member, tries to lead a team of blumbing staff at YG's Future Strategy Office in this mockumentary sitcom.
1
In "The Wedding Party" sequel, Nonso has continued his romance with Deirdre, the bridesmaid from London. Nonso manages to propose by accident, while on a dinner date, and sets off a chain of events too powerful to stop.
1
He promised supermodels and yachts, but delivered tents and cheese sandwiches. How one man engineered a music festival disaster.
0
An ex-con struggling to readjust to life in his small town forms an intense bond with his former high-school teacher.
-2
A look at the life of notorious drug kingpin, El Chapo, from his early days in the 1980s working for the Guadalajara Cartel, to his rise to power of during the '90s and his ultimate downfall in 2016.
-2
Two tiny, aquatic humanoids search for their missing father, a boy battles a lethal allergy to eggs, and an invisible salaryman tries to become a hero.
-2
An eclectic group of men and women looking for romantic adventures in the dazzling Silom district of Bangkok. Age or profession are not a problem.
1
In 1994, a toddler disappeared from a small Welsh village, never to be seen again. 23 years later, in London, the mother of rising cello star Matilda Gray commits suicide, without apparent reason. Among her possessions, Matilda discovers tantalising evidence, linking her mother to the Welsh girl's disappearance all those years ago.
-1
YouTube sensation Felipe Neto brings the stories from his autobiographical book 'Não Faz Sentido!' to the stage in this comedy special.
1
A passionate holiday romance leads to an obsessive relationship when an Australian photojournalist wakes one morning in a Berlin apartment and is unable to leave.
0
A team of talented Australian and American intelligence analysts work together to ensure global stability in one of the world's most important and secretive joint intelligence facilities... Pine Gap. But the relationship between the Australian and American intelligence analysts working at Pine Gap isn’t always rosy.
7
Zachary, 17 years old, gets out of jail. Rejected by his mother, he hangs out in the mean streets of Marseille. He falls in love with Shéhérazade, a young prostitute of whom he becomes the pimp without realizing it...
-2
The bright young people of Terrace House return to Japan, where they live together and face new relationship challenges.
1
Moscow in a not so distant future where human beings share their daily lives with robots. Georgy, a forensic who has a robot assistant, suddenly finds himself caught up in the first murder committed by a new kind of experimental humanoid.
-1
Helena, a young woman on a deep space mission, has been alone for 20 years. Her parents abandoned ship after a technical malfunction made it impossible for all three of them to reach their intended destination. Alex, an isolated engineer, is about to enter her life and turn her world upside down.
-2
The drama revolves around the lives of housewives living in a luxurious residential area called SKY Castle in suburban Seoul, where wealthy doctors and professors live. The wives are determined to make their husbands more successful and to raise their children like princes and princesses and to be top students.
5
Lulu Danger's unsatisfying marriage takes a turn for the worse when a mysterious man from her past comes to town to perform an event called "An Evening with Beverly Luff Linn: For One Magical Night Only."
-2
"Saturday Night Live Korea" writer-turned-comedian Yoo Byung-jae lays bare his childhood memories and philosophy on sex in his first stand-up venture.
0
"Moms at War" is about two mothers who live in the same neighborhood, but hate each other. One felt that the other was a village girl who just got into money and is not fit to be in society with them. But both their kids coincidentally attend the same school and there was a competition that was done for the kids, and both were the top of their class. It comes down to one of them winning the competition and the mothers just go crazy, doing all sort of antics. It's a story of friendship, sisterhood, and bonding in spite of everything.
-1
Solomon Mahlangu is a Mamelodi township schoolboy-hawker who, after the events of June 16th joins the military wing of the ANC to fight against the brutal oppression of the Apartheid regime and ends up becoming an icon of South Africa's liberation.
-1
A newly minted military interrogator arrives at a covert detention center to discover that some of the terrorists held there are not of this world.
0
A young woman dealing with anorexia meets an unconventional doctor who challenges her to face her condition and embrace life.
0
Steve & Chuma , two criminals are the sole survivors of a terrorist attack at a restaurant in Jerusalem. They decide to change their ways and become flesh and blood angels. They go on a journey of wish fulfilment for people who write requests on paper and put between the sacred stones of the Wailing Wall.
0
When nerdy high schooler Dani finally attracts the interest of her longtime crush, she lands in the cross hairs of his ex, a social media celebrity.
-1
Seventeen year old, Emma joins a high school cheerleading team when she moves to Australia with her dad who is a former Air Force Officer.
0
An intelligent, lovable robot known as "F.R.E.D.I." is stolen from a secret research facility by the project's lead scientist. The robot is found by a 15 year old teenager, James. Soon the two begin to communicate and create a bond in which F.R.E.D.I. learns about teenage life and James learns about some new values.
2
Lynn, a brilliant student, after helping her friends to get the grades they need, develops the idea of starting a much bigger exam-cheating business.
2
In Norway, on 22 July 2011, neo-Nazi terrorist Anders Behring Breivik murdered 77 young people attending a Labour Party Youth Camp on Utøya Island outside of Oslo. This three-part story will focus on the survivors of the attacks, the political leadership of Norway, and the lawyers involved.
0
The National Lampoon name became globally recognized after the monumental success of Animal House—but before the glory days, it was a scrappy yet divinely subversive magazine and radio show that introduced the world to comedic geniuses like Bill Murray, Chevy Chase, John Belushi, and Gilda Radner. The driving force behind National Lampoon was Doug Kenney, and his truly wild and crazy story unfolds in A Futile and Stupid Gesture from Harvard to Hollywood to Caddyshack and beyond.
1
Twenty years after a devastating terrorist attack in 1983 that halted the course of Poland's liberation and the subsequent downfall of the Soviet Union, an idealistic law student Kajetan and a disgraced police investigator Anatol stumble upon a conspiracy that has kept the Iron Curtain standing and Poland living under a repressive police state.
-6
After tumbling into a magic storybook, Puss in Boots must fight, dance and romance his way through wild adventures as he searches for an escape.
0
A couple who devastated after losing their only child resort into obsessive act that can dangerously threatening their own life.
-4
A 28-year-old layabout begins to re-examine his life when his dysfunctional family assembles to pay respects to a dying grandmother who won’t pass on.
1
A mute man with a violent past is forced to take on the teeming underworld of a near-future Berlin as he searches for his missing girlfriend.
-1
In 1984, a young programmer begins to question reality as he adapts a dark fantasy novel into a video game. A mind-bending tale with multiple endings.
-1
Having fought in the First Carlist War, Martin returns to his family farm in Gipuzkoa only to find that his younger brother, Joaquín, towers over him in height. Convinced that everyone will want to pay to see the tallest man on Earth, the siblings set out on a long trip all over Europe, during which ambition, money and fame will forever change the family’s fate. A story based on true events.
1
After an expensive night out, two flatmates get tangled in an overnight misadventure to recover their rent money to pay their dead landlord's daughter.
-2
A young widow is hired as the domestic helper for a wealthy architect, but social divides come to the fore as an unlikely attraction grows between them.
1
MODEL, is a 10 part series that delves into the world of the fashion industry. Talented models and wild cards from around SA audition in this year's competition to try and cement their place in the model mansion. 12 models are carefully selected from our expert judging panel consisting of Kholofelo Mabusela (industry professional) Coenraad De Mol (international fashion designer) and Pieter Black (International Model).
0
In Bombay's seedy-shiny film world, Manto and his stories are widely read and accepted. But as sectarian violence engulfs the nation, Manto makes the difficult choice of leaving his beloved Bombay. In Lahore, he finds himself bereft of friends and unable to find takers for his writings.
-2
A man in a high stakes celebrity death pool quickly loses everything - his business, his bank account, his home, his fiancé. He snaps, then realizes the only way to get his life back on track. He'll have to murder his own celebrity. He'll have to kill Hasselhoff.
-4
In a small quiet village in the Ardennes, a sixteen-year-old girl disappears into the forest after calling her teacher in the middle of the night. Captain Gaspard Deker, a former soldier and newly arrived single father is conducting the investigation with Virginie Musso, the local cop. Also helping is the teacher, Eve Mendel, a solitary young woman with a mysterious past: she was found as a child by the villiage doctor wandering silently in the same forest.
1
After sharing a night with Jin Wook, Yoo Mi departs, never to see him again. Three years later, she achieves her goal of becoming a nutritionist.
0
Purehearted teen Lazzaro is content living as a sharecropper in rural Italy, but an unlikely friendship with the marquise’s son will change his world.
-1
Just as "the fluttering of the wings of a butterfly can be felt on the other side of the world" (according to the Chinese proverb) a coffee offered in Naples can be felt in Buenos Aires and replicated in New York. In the bars of threedifferent cities ofthe world, the camera will record the "first flutter" of a coffee cup offered to a customer.
1
PUP STAR is back, with an all-new movie that takes the popular singing dogs on trip around the world, where Tiny and friends find fantastic new songs and meet exciting new canine singers that prove music really is the universal language.
3
The journey of Jean Holloway – a therapist who begins to develop dangerous and intimate relationships with the people in her patients' lives.
1
To prove a point about measuring up and fitting in, Texas teen Willowdean “Dumplin’” Dickson enters a local pageant run by her ex-beauty queen mom.
0
Oh takes it upon himself to introduce Christmas joy to his fellow Boovs. Unfortunately, his well-meaning mission nearly destroys the city.
0
While Retsuko desperately makes plans for Christmas Eve, her new obsession with seeking validation through social media spirals out of control.
0
A disillusioned London chef visits Nigeria and struggles with her matchmaking mother and restoring the family's rundown hotel. She's heartbroken when she discovers the man she loves is buying it.
-1
Villains are rampaging through Charter City and the Flex Fighters -- Jake, Ricardo and Nathan -- need your help to halt the chaos.
-1
Armed with sly wit, a fresh outlook and plenty of style, French comedy star Fary veers from dating to stereotypes and beyond in this exclusive special.
-1
It's 3 minutes for hearers, but a life for the callers. A crime thriller chasing even the slightest sounds to rescue people's lives calling for urgent help.
-2
Malaysian stand-up comedy icon Harith Iskander takes the stage in Kuala Lumpur to talk about Singapore, a past girlfriend, and Rick Astley.
0
Twenty years after graduation, a tight-knit group of college friends reconnects and discovers that love hasn't gotten easier with age.
2
It tells the love story of two childhood sweethearts that spans 19 years. Chen Xiao Xi is a cute and small girl with a lot of positive energy. She gets to know Jiang Chen, a tall and proud genius boy, at school and tries everything to pursue him. The drama depicts the beautiful and pure heart throbbing love of seventeen years olds, but also delves into the topic of making mistakes andhow to find back to each other again.
7
The story of a woman who must find her kidnapped son, navigating a world she doesn't know, on the edge of danger with every heartbeat.
-1
When their animal friends need help, brother-and-sister team Toby and Teri use the clues and follow the facts to solve mysteries in their own backyard.
-1
A woman of nobility battles patriarchal norms in order to improve educational access for women in early 1900s Indonesian society.
1
Incisive comic Jen Kirkman gets real about women's bodies, the value of alone time and an Italian private tour guide who may have been a ghost.
0
Held captive in a futuristic smart house, a woman hopes to escape by befriending the A.I. program that controls the house.
2
A group of friends with Down Syndrome have been attending the same school for 40 years, and they are tired of being treated like children, they are grown-ups and want to live as such.
-1
Follow Reggaeton artist Nicky Jam's struggles to overcome drug addiction and rise to international success in this dramatization of his life story.
-1
A free-spirited young girl, in Lamu struggles to live out her unique dream of swimming in the ocean, against local customs and an arranged upper- class marriage. Does Subira have the courage to take her dream on, against all odds?
0
A former U.S. Marine, Lázaro Mendoza, enters a maximum security prison in Mexico (La Rotunda), under a false identity and accused of an alleged triple murder. Now as Dante Pardo, his mission is to infiltrate a dangerous band of inmates and guards that operate inside and outside of prison who are the prime suspects of the kidnapping of the teenage daughter of U.S. Judge, John Morris. Inside La Rotunda, Lázaro has to find out who carried out the kidnapping and the whereabouts of the girl.
-6
A desperate group of refugees attempts to recolonize Earth 20,000 years after Godzilla took over. But one young man wants revenge above all else.
-2
Basque Country, Spain, 1843. A police constable arrives at a small village in Álava to investigate a mysterious blacksmith who lives alone deep in the woods.
-1
A series of mysterious events changes the life of a blind pianist who now must report a crime that was actually never witnessed by him.
-3
The rivalry between two former college friends comes to a head when they both attend the same glamorous event.
0
Follows the life of Native Canadian Saul Indian Horse as he survives residential school and life amongst the racism of the 1970s. A talented hockey player, Saul must find his own path as he battles stereotypes and alcoholism.
-1
In a locked down train station, a homicide detective conducts an interview with a tormented monkey  who is suspected of murder.
-2
A mother's plan to find her bachelor son a match derails when a new prospect turns up and sinister schemes unfold.
-1
When the eternally optimistic Poppy, queen of the Trolls, learns that the Bergens no longer have any holidays on their calendar, she enlists the help of Branch and the rest of the gang on a delightfully quirky mission to fix something that the Bergens don't think is broken.
1
This Christmas, Thunder Mountain Ski Resort is abuzz when celebrity chef Shane Roarke is named the new head chef. Clara Garrison isn't as excited and is instead focused on getting resettled after her failed attempt at opening a restaurant in the city. With their paths constantly crossing, will their shared passion for cooking bring them together or will secrets keep them apart?
1
After an accident, Tom wakes from a coma to discover that fragments of his smart phone have been embedded in his head, and worse, that returning to normal teenage life is impossible because he has developed a strange set of super powers.
-1
A man returns from prison hoping to pick up the pieces of his life with his wife and business. Things are not as he hopes when he begins to suspect his wife of infidelity and with the business at stake; he calls in an old friend who is a private investigator for help. A love triangle ensues with everyone fighting for love and for money. Who will come out top.
1
Lisa Spinelli is a Staten Island teacher who is unusually devoted to her students. When she discovers one of her five-year-olds is a prodigy, she becomes fascinated with the boy, ultimately risking her family and freedom to nurture his talent.
2
An ex-special services veteran, down on his luck and desperate for work, takes a job as a security guard at a run-down mall in a rough area of town. On his first night on the job, he opens the door to a distraught and desperate young girl who has fled the hijacking of a Police motorcade that was transporting her to testify as a witness in a trial. Hot on her heels is the psychopathic hijacker and his team of henchmen, who will stop at nothing to extract and eliminate the witness.
-2
Teddy gets snowed in at a bowling alley, which may cause him to miss the Festival of Lights for the very first time. Fear not, though, because Emil "insists the Christmas moose will save the day.
-2
A rich story of love, intrigue, betrayal and belonging told from the perspective of the Trojan royal family at the heart of the siege of Troy.
1
Hamburg, St. Pauli, New Year's Eve. Oskar Wrobel runs a music club in an old hospital at the edge of the Reeperbahn. While fireworks go off in the streets of St. Pauli, he prepares the big final party - the club has to close. Thankfully there is no time to think about it because the chaos is breaking into his living room, all while hell break loose at the club. The film, based on the novel by Tino Hanekamp, was filmed with hundreds of extras attending a real-life three-night-long party.
-5
When a singer is found murdered, with her scent glands excised from her body, detectives probe a group of friends who attended boarding school with her.
0
When a workaholic young executive, is left at the altar, she ends up on her Caribbean honeymoon cruise with the last person she ever expected: her estranged and equally workaholic father. The two depart as strangers, but over the course of a few hilarious adventures, a couple of umbrella-clad cocktails and a whole lot of soul-searching, they return with a renewed appreciation for family and life.
0
Two gutsy food delivery workers strive to overcome their socioeconomic disadvantages to achieve big goals -- and bump into love along the way.
0
When Mahendra, the son of Bāhubali, learns about his heritage, he begins to look for answers. His story is juxtaposed with past events that unfolded in the Mahishmati Kingdom.
0
An Indian Army officer is compelled to chase down his protege when the latter turns rogue and threatens to disrupt the country’s government and army.
-2
Zeliha is back: Crazy and candid as ever, and she still gets herself into all sorts of trouble. Seeking love in the first film, Zeliha is now after a career in the sequel, as she dreams of becoming a cook and starts working in a luxury restaurant. Will Zeliha's dreams finally come true, or will the real world break her heart and leave her in disappointment? With heartwarming characters and an entertaining story by Gupse Özay, writer of the films Deliha and Görümce, Deliha 2 will once again leave audiences in laughter. The film also marks Özay's directorial debut.
0
When their trip to San Lorenzo takes a turn for the worst, Arnold and his classmate’s only hope of getting home is retracing the dangerous path that led to Arnold's parents' disappearance.
-1
In the grim Alaskan winter, a naturalist hunts for wolves blamed for killing a local boy, but he soon finds himself swept into a chilling mystery.
-3
Driven by the desire to avenge his mother, a former gangster turned lawyer uses both his fists and the loopholes in law to fight against those with absolute power.
-4
Coral reefs are the nursery for all life in the oceans, a remarkable ecosystem that sustains us. Yet with carbon emissions warming the seas, a phenomenon called “coral bleaching”—a sign of mass coral death—has been accelerating around the world, and the public has no idea of the scale or implication of the catastrophe silently raging underwater.
-2
Hyakkaou Private Academy. An institution for the privileged with a very peculiar curriculum. You see, when you're the sons and daughters of the wealthiest of the wealthy, it's not athletic prowess or book smarts that keep you ahead. It's reading your opponent, the art of the deal. What better way to hone those skills than with a rigorous curriculum of gambling? At Hyakkaou Private Academy, the winners live like kings, and the losers are put through the wringer. But when Yumeko Jabami enrolls, she's gonna teach these kids what a high roller really looks like!
6
Join Mildred Hubble in CBBC's adaptation of The Worst Witch books, written by Jill Murphy.
-1
In an isolated rural community of Quebec, Canada, some inhabitants attack other people, hungry for human flesh. A few survivors gather and go deep into the forest to escape them.
-1
Eclectic character comedian Marco Luque plays himself in this stand-up special about relationships, regional differences and his own love of movies.
1
Eager to rejoin her divorced parents, an inventor's daughter drives his time-traveling car back to 1982. But a secret crush accidentally follows.
0
In a peaceful, rustic town, a retired officer and his family are mired in a murder mystery riddled with shocking, buried secrets.
-2
Julien's been dethroned, but loyal friends and some very unlikely allies will propel the lovable lemur on a colorful journey to take back his kingdom.
2
In a story that gained national attention with John Grisham’s best-selling non-fiction book, The Innocent Man: Murder and Injustice in a Small Town, the six-part documentary series The Innocent Man focuses on two murders that shook the small town of Ada, Oklahoma, in the 1980s — and the controversial chain of events that followed.
-2
In 1992, teenager Sandi Tan shot Singapore's first indie road movie with her enigmatic American mentor Georges – who then vanished with all the footage. Twenty years later, the 16mm film is recovered, sending Tan, now a novelist in Los Angeles, on a personal odyssey in search of Georges' vanishing footprints.
0
The Australian comedian Hannah Gadsby is taking an anti-comedy stance in her newest special.
0
Set in the town of Chanderi, Stree is based on the urban legend of Nale Ba that went viral in Karnataka in the 1990s, and features Shraddha Kapoor and Rajkummar Rao in pivotal roles.
0
Barbie, her sisters, friends and neighbour Ken share vlogs filmed in her Dreamhouse.
0
Iranian American comic Maz Jobrani lights up the Kennedy Center with riffs on immigrant life in the Trump era, modern parenting pitfalls and more.
2
An off-color joke nearly cost him everything. Brazilian comic Rafinha Bastos talks about that and much more, from his divorce to finding love again.
0
A young camgirl discovers that she’s inexplicably been replaced on her site with an exact replica of herself.
0
Fabrizio Copano takes audience participation to the next level in this stand-up set while reflecting on sperm banks, family WhatsApp groups and more.
0
In this animated spinoff series, Juni and Carmen Cortez must battle the evil organization S.W.A.M.P. -- without the help of their super-spy parents.
-1
Haruna Wakagusa is a high school student who lives with her mother. Ichiro Yamada is gay and Haruna’s classmate. He is bullied at school, but Haruna sticks up for Ichiro. They become intimate and Ichiro tells Haruna his secret. He found a dead body along the riverside. A new body is soon found.
0
How does a traumatic event shape a family? How do you sift through the memories to find hidden clues and unlock a collective grief? Kingdom of Us takes a look at a mother and her seven children, whose father's suicide left them in financial ruin. Through home movies and raw moments, the Shanks family travels the rocky road towards hope.
-5
A loyal wolfdog’s curiosity leads him on the adventure of a lifetime while serving a series of three distinctly different masters.
3
Surrounded by fans and skeptics, grizzled director J.J. "Jake" Hannaford returns from years abroad in Europe to a changed Hollywood, where he attempts to make his innovative comeback film.  This film was started in 1970 but never completed during Welles lifetime.
0
Former Colonel Fernandez is appointed Minister of the National Anti-Drug Agency (SENAD) and purges the special forces to fight the first of many battles against drug trafficking on the border of Paraguay and Argentina.
0
New York City, October 10, 1965. A group of wooden giant figures from Pamplona, representing Basque culture and traditions, parade down the street; but the local authorities have not allowed the appearance of all of them: due to the racial prejudices that persist in many sectors of society, the participation of two black giants has been banned.
-1
Ex-con Cal McTeer's return to her hometown of Orphelin Bay blows the lid off a generations-long conspiracy of silence around murder, drugs and Sirens.
-3
Shot in reverse day-by-day through a week—a local sheriff embarks on a quest to unlock the mystery of three small-town criminals and a bank heist gone wrong.
-3
Bunty, the little pink piglet is the apple of Chanti’s (Sathwik) eye. But what happens when this innocent little creature is embroiled with people who each have their own agenda to seek?
-1
Four childhood friends, all married with no passion left, get together in a high school reunion dinner. Between laughs and drinks, they all agree that they love their wives but no longer desire them. Together they hatch an illogical project: a secret club for men who want to cheat, so that they themselves can regain lust for their wives.
0
A washed up actor best known for playing the title character in the 1980s detective show "Mindhorn" must work with the police when a serial killer says that he will only speak with Detective Mindhorn, whom he believes to be real.
1
Teefa goes to Poland to get Anya to Pakistan to marry Butt gangster's son but lands up in trouble with Anya's gangster father and the Polish police.
-3
Nam Se-Hee is a single man in his early 30s. He has chosen to not marry. He owns his home, but he owes a lot on his mortgage. Yoon Ji-Ho is a single woman in her early 30s. She does not own a home and envies those that do. She has given up on dating due to her financial struggles. Yoon Ji-Ho begins to live at Nam Se-Hee’s house. They become housemates.
0
A top spy must clear his name when he faces military sanctions.
2
Two introverted people find out by pure chance that they share the same dream every night. They are puzzled, incredulous, a bit frightened. As they hesitantly accept this strange coincidence, they try to recreate in broad daylight what happens in their dream.
-2
The year is 1991 and 6th grader Yaguchi Haruo only has video games to live for. He's not popular in school and he's neither handsome, funny, nice nor even friendly. The only thing he has going for him is that he is good at video games. One day at the local arcade, he plays Oono Akira, a fellow classmate but who's popular, smart, pretty and a rich girl that absolutely destroys him at Street Fighter II. Not only does he lose to her 30 times in a row, he can’t beat her at any game. Haruo can’t seem to shake Akira off as she follows him from arcade to arcade everyday after school and beats him every time. As weird as it sounds, the odd couple begins a strange bond and friendship.
3
Sophia is a rebellious, broke anarchist who refuses to grow up. She stumbles upon her passion of selling vintage clothes online and becomes an unlikely businesswoman. As she builds her retail fashion empire, she realizes the value and the difficulty of being the boss of her own life.
-6
A war veteran plagued by guilt over his final mission teams up with his best friend's widow to infiltrate a dangerous Copenhagen biker gang.
-1
Baffling symptoms. Controversial diagnoses. Costly treatments. Seven people with chronic illnesses search for answers -- and relief.
-5
Perú: tesoro escondido is a documentary genre film about the secrets of Perú. The millinery culture of their ancestors, the beautiful landscapes, the tourist places and other places not yet discovered by the tourism and culinary culture, one of the richest in the world, stands out in this story. The documentary tells a story of a journey through culinary culture, beaches, the Amazon and the cultural heritage of the civilizations that inhabited Peru. Throughout the film, part of the geography and society of Peru is portrayed. The documentary focuses on five main areas: culinary culture, beaches, the Cordillera, the Amazon and the cultural heritage of ancient civilizations. This story focuses on highlighting the best known icons of the country, such as Machu Picchu, and others not so well known and difficult to access. The film is dressed with impressive images of the Ica desert and the sunrise in the Amazon jungle.
2
Raunchy country comic and musician Rodney Carrington jokes and sings about life in his 40s, poking fun at sex, relationships and gaining weight.
1
An inconspicuous middle school psychic confronts an organization plotting to use other psychics to rule the world. Based on the hit manga.
0
Bickering siblings Shi Miao and Shi Fen tackle friendship matters, school drama and the pitfalls of growing up with little parental supervision.
-1
Filmmaker Kip Andersen uncovers the secret to preventing and even reversing chronic diseases, and he investigates why the nation's leading health organizations doesn't want people to know about it.
0
Following a wild night out with his Best Man, Rob Anderson wakes up to find himself naked in an elevator on the morning of his wedding day and is forced to relive the morning over and over again.
0
An ordinary guy suddenly finds he has superpowers he can use to help his spirited daughter and the people around them, but he also runs into trouble in the process.
0
Stand-up comic Fakkah Fuzz mines cross-cultural humor from the experience of growing up as an outspoken Malay man in Singapore.
1
Imperial Capital, 1930. A strange group of people carrying musical instrument cases landed on Tokyo station. They are called the "Jaegers", who came to hunt vampires. Amongst them, there stood a young man with striking serenity and unusual aura. His name is Yuliy, a werewolf whose home village was destroyed by vampires. Yuliy and the Jaegers engage in deadly battle over a mysterious holy arc only known as "The Arc of Sirius". What truth awaits them at the end...?
-1
A young boy living in a remote village in the Andes Mountains dreams of becoming shaman.
0
Lee Yool falls off a cliff and nearly dies in an attempted assassination. He loses his memory, and wanders for 100 days under a new name and personality. During this period, he meets Hong Sim, head of the first detective agency in Joseon.
-2
A tranquil tale about two boys from very different upbringings. On one hand you have Kai, born as the son of a prostitute, who's been playing the abandoned piano in the forest near his home ever since he was young. And on the other you have Syuhei, practically breast-fed by the piano as the son of a family of prestigious pianists. Yet it is their common bond with the piano that eventually intertwines their paths in life.
2
During a mysterious thunderstorm, Vera, a young mother, manages to save a life in danger, but her good deed causes a disturbing chain of unexpected consequences.
-3
Llama, his family and his good friends have heart-warming adventures in a safe, friendly town. An animated show based on the award-winning books.
3
When Daniel Glass is misdiagnosed with a fatal disease he begins to notice how everyone around him treats him better. But then he finds out he was misdiagnosed by the most incompetent oncologist on Earth and now he has a big decision to make: come clean and go back to his old rubbish life, or keep pretending to be ill.
-1
Awkward, isolated and disapproving of most of the people around her, a precocious 19-year-old genius is challenged to put her convictions to the test by venturing out on to the NYC dating scene.
-2
Eleven years after falling out, four friends, war veterans of a Special Forces unit, reunite for one final mission: to find Yaeli, a former lover of one of them and sister of another. Their journey will take them deep into the Colombian jungle but, as to succeed, first they must confront the trauma that tore them apart.
-1
Familiye tells the story of an ex-con who, after his release from prison, has to care for his two younger brothers. One of whom is a gambling addict, the other has Down Syndrome.
-3
After finding his mom killed, Satoru's time-traveling ability takes him back 18 years for a chance to prevent her death and those of three classmates.
-2
Susannah Cahalan, an up-and-coming journalist at the New York Post becomes plagued by voices in her head and seizures, causing a rapid descent into insanity.
0
Champion gamer Jan has to fight for his digital identity, winning back his real life as well.
3
In this adaptation of the critically acclaimed debut novel by Iranian American author Dalia Sofer, a secular Jewish family is caught up in the maelstrom of the 1979 Iranian Revolution.
1
A therapist tries to save her marriage after a cycling accident causes them to reassess their relationship.
0
Trending news, pop culture, social media, original videos and more come together in host Joel McHale's weekly comedy commentary show.
0
Manny, Joel and Jonah tear their way through childhood and push against the volatile love of their parents. As Manny and Joel grow into versions of their father and Ma dreams of escape, Jonah, the youngest, embraces an imagined world all his own.
0
A farm girl mistakenly shoots and kills an endangered Philippine Eagle. When authorities begin a manhunt to track down the eagle’s killer, they stumble upon an even more horrific discovery.
-5
Fishtronaut, Marina and Zeek travel to the big city in search of Grandpa, only to find that everyone else has mysteriously vanished too.
-1
Ever since their first contact with the Western world in 1969 the Paiter Suruí, an indigenous people living in the Amazon basin, have been exposed to sweeping social changes. Smartphones, gas, electricity, medicines, weapons and social media have now replaced their traditional way of life. Illness is a risk for a community increasingly unable to isolate itself from the modernization brought by white people or the power of the church. Ethnocide threatens to destroy their soul. With dogged persistence, Perpera, a former shaman, is searching for a way to restore the old vitality to his village.
-5
When Salem, A newly wed man returns home, He finds an unexpected visitor with sinister intentions.
-2
A promising teenage dancer enrolls at a prestigious ballet school while grappling with her gender dysphoria.
2
A masked figure known as "The Curious" collects tales of dark magic, otherworldly encounters and twisted technology in this kids anthology series.
-1
Two alchemist brothers go on a quest for the Philosopher's Stone after an attempt to revive their dead mother goes horribly wrong.
-1
Set in the early 1900s, this drama tells the story of a young man from Korea who grows up in the United States. When he returns to Korea as a US Marine Corps officer, he meets and falls in love with a noblewoman who is fighting for Korean independence. Their romance is complicated by social class and political ideology.
-1
How far does a soccer fan goes for his beloved national team? Mariano Cárdenas will risk his job, wife and family to support his soccer team during the World Cup qualifiers.
1
Sisters follows the story of three women who discover that they are sisters. Julia finds out that her Nobel prize winning father secretly used his own sperm in a number of "In Vitro Fertilisation" procedures.
2
Jiew is a modest girl who works at a restaurant washing dishes and is in love with Artit, the chef. She huddles in a cramped little room, doesn't sleep at night, and is always late for work. But she has a big secret: she sees ghosts. And Khaopun, a virgin ghost who doesn't understand why her soul can't go to heaven, doesn't leave Jiew alone. Khaopun is sure that only losing her virginity will help her to ascend to heaven, and therefore she uses Jiew's body to seduce Artit and achieve what she wants.
4
When a secret from the past rears its head, respected warrior Feng Zhiwei is forced to choose between revenge and her loyalty to ruling prince Ning Yi.
0
When Chloe discovers that her new home's garden gnomes are not what they seem, she must decide between the pursuit of a desired high school life and taking up the fight against the Troggs.
0
Accused of a murder he didn't commit, a prosecutor sets out on a mission to clear his name.
0
To escape his life of crime, a Paris drug dealer takes on one last job involving Spain, unhinged gangsters, his longtime crush and his scheming mother.
-3
As the Medellín Cartel crumbles, Pablo Escobar's No. 1 hit man struggles to stay alive and gain respect in the prison hierarchy.
0
Miguel “Bayoneta” Galíndez is a retired boxer from Tijuana who finds himself living in a cramped flat in Finland. As his future begins to look up, a desire for redemption draws him back into the ring.
0
Paul Hollywood who is an actor and a baker from Liverpool tries to find out how the most popular cars of the three big European countries express their nation's identities and the connections with their cultures.
1
During the holidays, Amanda, trapped in adolescence, looks for a way to escape from the annoying family trip. While travelling, she realizes how her relationship with her family is progressively crumbling and her parents marriage is slowly falling apart. She sees it as a punishment, but does not suspect that with the imminent escalation of violence in Mexico this could be their last vacation together.
-6
In a small fishing village, a gloomy middle school student named Kai meets a mermaid named Lu.
-1
Set during the occupation of Iraq, a squad of U.S. soldiers try to protect a small village.
1
Meet Andrea, Mia, Emma, Olivia and Stephanie. They're five best friends. And they're on a heroic mission: to save Heartlake City from wily swindlers.
1
Juan López must balance an office job with heroic feats to save the love of his life and native planet Chitón.
3
The First Lady of Mexico has big plans to improve conditions for the country. As she starts to lose faith in her husband, President Diego Nava, she finds herself at a crossroad where she will need to find a way to deal with a great challenge.
2
The series, based on the doll of the same name, will feature a young girl called Polly who has a magical locket that allows her and her friends to shrink down to a tiny size.
1
After losing her daughter in an accident, Carmen loses all incentive to keep going, until she receives an unexpected letter from the adoption agency: her daughter was finally granted the Vietnamese girl she had asked for adoption and whose name is Thi Mai.
-3
Run-D.M.C. DJ Jam Master Jay made a huge impact in music and his community. But friends and family still seek closure years after his unsolved murder.
-1
As a son deals with his own struggles, he must calm his father's obsession with fishing before his outlandish behavior ruins the entire family.
0
Stand-up comedian Alexis de Anda shares thoughts on gynecologists, drugs, and sex.
0
During the Japanese colonial era, roughly 400 Korean people, who were forced onto Battleship Island (‘Hashima Island’) to mine for coal, attempt to escape.
0
Gil Oh-so, an employee at a cleaning company, meets Jang Seon-gyul, the boss of the company. The two are diametric opposite when it comes to cleanliness. With the help of Oh-sol, Seon-gyul faces his mysophobia and falls in love with her.
1
Jin Mi is the daughter of a flower deity who is fed a pill that prevents her from feeling or expressing romantic love. She gets tangled in a love triangle with Heavenly Prince Xu Feng and the ambitious Night Deity Run Yu.
4
When a teenage couple runs away to be together, the extraordinary gift they possess unleashes powerful forces intent on dividing them forever.
2
A brother-sister team who fake paranormal encounters for cash get more than they bargained for when a job at a haunted estate turns very, very real.
-1
As a child, Kate Ashby was rescued from the horrific aftermath of the Rwandan genocide and brought to the UK. But the tragic shadow of her past proves impossible to escape.
-4
A day in the life of two best friends, a drug dealer, and a store manager collide at a hip-hop concert in the Inland Empire.
1
This docuseries follows English soccer club Sunderland through the 2017-18 season as they try to bounce back after relegation from the Premier League.
1
Xiaogin transferred to the third school during his fifth year at high school. During the winter vacation, his grandparents tricked him into returning to the hotel which was founded by his parents. Xiaogin’s classmates Little Princess and Lu Qun tagged along uninvited to escape being bullied at school.  While the three boys were temporarily staying at Xiaogin’s family hotel, they quickly found out that the hotel was in terrible shape and was also haunted. Xiaogin and his friends have developed an extremely close friendship while they are trying to step closer to the truth. Will they find out the secret that hides underneath the steaming hot springs?
-1
After rigorous testing in 1961, a small group of skilled female pilots are asked to step aside when only men are selected for spaceflight.
1
Eclectic stand-up comic Manu NNa relays everyday tales about the struggles of being gay in Mexico and shares his love of telenovelas and mezcal.
0
A young horse enthusiast teams up with her best friends to rescue and rehabilitate animals on her family's beloved ranch.
3
It is the year 1967. After five happy years of marriage in New York with Alberto and their young son, Anna Ribera returns to Spain to take her project Velvet to the next level. She and Alberto had been managing all things Velvet from across the ocean and, together with their best friends and partners, had made a name for Velvet as the number one address in the world of fashion and innovation. Now they decide to take the next step and turn their reputation into a franchise, first at home, then abroad. The first step is opening shop in the other great Spanish city, Barcelona, on its world famous promenade, the Passeig de Gracia. There, the second Velvet Fashion Store is about to open its gates, managed by Ana's good friend Clara who had made it up the career ladder from seamstress to directorial assistant in the Madrid Velvet years.
7
The chauvinist Damien wakes up in a world where women and men have their roles reversed in society, and everything is dominated by women.
1
During a pro lockout, Doug "The Thug" Glatt is injured and must choose whether to defend his team against a dangerous new enemy, or be there for his wife as she prepares to give birth to his daughter.
-3
Jamilah has her whole life figured out. She's the president of her black sorority, captain of their champion step dance crew, is student liaison to the college dean, and her next move is on to Harvard Law School. She's got it all, right? But when the hard-partying white girls from Sigma Beta Beta embarrass the school, Jamilah is ordered to come to the rescue. Her mission is to not only teach the rhythmically-challenged girls how to step dance, but to win the Steptacular, the most competitive of dance competitions. With the SBBs reputations and charter on the line, and Jamilah's dream of attending Harvard in jeopardy, these outcast screw-ups and their unlikely teacher stumble through one hilarious misstep after another. Cultures clash, romance blossoms, and sisterhood prevails as everyone steps out of their comfort zones.
2
A teenager and his mother find themselves besieged by threatening forces when they move into a new house.
-1
A disgraced former cop, fresh off a six-year prison sentence for attempted murder, returns home looking for redemption but winds up trapped in the mess he left behind.
-3
Each year in the United States, unparalleled innovations in medical diagnostics, treatment, and technology hit the market. But when the same devices designed to save patients end up harming them, who is accountable?
3
A woman struggles to escape the clutches of her overbearing, co-dependent mother, while gradually falling for a sexy, sophisticated attorney.
-1
The parents of a soon-to-be married couple make the final preparations for the wedding ceremony.
0
Abby Hatcher is part girl, part superhero; living in a world full of fuzzlies. When a fuzzly friend needs help, Abby takes action – going on a mission to make things right.
1
Follow the outrageous, high-octane adventures of Buddy Thunderstruck, a truck-racing dog who brings guts and good times to the town of Greasepit.
0
Wickedly talented baker and artist Christine McConnell fills her home with haunting confections, creepy crafts -- and wildly inappropriate creatures.
-4
Follow renowned soccer club Juventus on and off the pitch as they attempt to win a seventh straight Italian title and achieve Champions League glory.
4
On a mission to defy stereotypes, Malaysian stand-up comedian Kavin Jay shares stories about growing up in the VHS era with his Singapore audience.
-2
This series looks at the stories behind the athletes and countries that have achieved World Cup champion status.
1
Ancient Korea, 17th century. The powerful Khan of the Jurchen tribe of Manchuria, who fights the Ming dinasty to gain China, becomes the first ruler of the Qing dinasty and demands from King In-jo of Joseon to bow before him; but he refuses, being loyal to the Mings. On December 14th, 1636, the Qing horde invades Joseon, so King In-jo and his court shelter in the mountain fortress of Namhan and prepare to defend the kingdom.
1
Offbeat documentarian Chris Smith provides a behind-the-scenes look at how Jim Carrey adopted the persona of idiosyncratic comedian Andy Kaufman on the set of Man on the Moon.
0
Two college grads return to their hometown, where a hypothetical question -- whose dad would win in a fight? -- leads to mass mayhem.
2
Two teen cricket prodigies struggle against their overbearing father and a system stacked against them to realize their own ambitions and identities.
-1
Go behind the scenes with pop provocateur Lady Gaga as she releases a bold new album and prepares for her Super Bowl halftime show.
1
In this unscripted series starring comedy legend Carol Burnett, kids dish out advice to celebrities and everyday people in front of a live audience.
0
Survivors and first responders share personal stories of anguish, kindness and bravery that unfolded amid the Paris terror attacks of Nov. 13, 2015.
0
Akira Fudo learns from his best friend Ryo Asuka that demons will revive and reclaim the world from humans. With humans hopeless against this threat, Ryo suggests combining with a demon. With this, Akira becomes Devilman, a being with the power of demon but with a human heart.
-2
This intimate documentary follows a group of Syrian children refugees who narrowly escape a life of torment and integrate into a foreign land.
0
Four friends, with a bittersweet history, get drunk and embark on a journey to Goa. On the trip, they lose an expensive ring which threatens to derail one of their engagement. They end up confronting one another and their own fears, as they enroll in a short film making competition in Goa to try and win the prize money for the ring.
-2
A substitute teacher and an obsessive student begin an illicit affair that endangers everyone involved and blurs the line between predator and prey.
-3
After receiving a bizarre chance to go back in time, a man wakes up to find that his whole life — including the person he married — is different.
-1
The story of a psychic, a priest, and a detective who fight unusual crimes committed by strange powers.
-3
In the occupied Netherlands during World War II, banker Walraven van Hall is asked to use his financial contacts to help the Dutch resistance. With his brother Gijs, he comes up with a risky plan to take out huge loans and use the money to finance the Resistance.
-3
Three friends are on the verge of getting their video game financed when their benefactor is taken hostage by terrorists.
0
To escape reality 17-year-old Leila turns to a secret virtual paradise. Her real journey begins when this digital Eden turns dark.
0
Vince, a charismatic gym owner with no ambition lives with his younger brother Michael, a gorgeous idiot. Their simple life of women and working out is put on hold when the teenage son of Vince is dropped off on their doorstep by Priya, one of his old high school flings.
1
Christmas wishes come true for Lobo, whose favorite cousin arrives for a surprise visit, and for Glorb, who wishes he could be everywhere at once!
1
Over a two-year period, filmmakers embedded with cops in Flint, Michigan, reveal a department grappling with volatile issues in untenable conditions.
-3
Man Like Mobeen is a four-part series that welcomes you into the life of Mobeen Deen, a 28 year-old from Small Heath in Birmingham.  All Mobeen wants to do is follow his faith, lead a good life, and make sure his younger sister fulfils her potential. But can he juggle these when his criminal past and reputation is always chasing him?
5
With no means for defeating Godzilla Earth, mankind watches as King Ghidorah, clad in a golden light, descends on the planet. The heavens and earth shake once again as the war moves to a higher dimension.
2
Josephine, the matriarch of a sprawling family, is delighted to gather everyone for Easter lunch for the first time in two years. While they all share a joyful meal, an incident ignites underlying tensions between the family members and leads them gradually into chaos.
1
Kang Dong-Goo dreams of becoming a movie director, but he is cynical due to bad luck. Cheon Joon-Ki wanted to follow in his father's footsteps and become an actor, but he is now just a minor actor. Bong-Doo-Sik came to Seoul to become a scenario writer, but things have not been easy for him.
0
This romantic comedy chronicles the life of Mirae, who has always believed that her life would be better if she were born more beautiful. After she goes under the knife, she comes out looking like the beautiful woman she has always dreamed of becoming. She feels ready to take on the world for the first time, and she falls madly in love with Seok, the perfect man. Except Seok hates people who get plastic surgery.
4
A decade after their wild summer as junior counselors, the gang reunites for a weekend of bonding, hanky-panky and hair-raising adventures.
-1
A getaway driver for a bank robbery realizes he has been double crossed and races to find out who betrayed him.
0
Revenge, passion and dark secrets push a successful fashion designer and single mother to her limits when she meets a handsome and mysterious man.
-1
Short in stature but big on love, a bachelor meets two very different women who broaden his horizons and help him find purpose in life.
1
This documentary follows three women -- a fire chief, a judge and a street missionary -- as they battle West Virginia's devastating opioid epidemic.
-2
Griffin Dunne’s years-in-the-making documentary portrait of his aunt Joan Didion moves with the spirit of her uncannily lucid writing: the film simultaneously expands and zeroes in, covering a vast stretch of turbulent cultural history with elegance and candor.
1
The sequel to Yol Arkadasim from 2017. Onur and Seref have become both housemates and colleagues within a year. Seref is not successful in managing the song career of Onur.
1
The Pup Star family just got bigger! And the new pups: Cindy, Rosie, Charlie, and Brody will have to learn the true meaning of Christmas. When Pup Star’s mean team, scheme to ruin Christmas, the pups end up in the North Pole to save Santa and the holiday spirit. Their adventure is filled with great pup-tastic songs to spread holiday cheer all year round.
1
‘Power’ Paandi, once a legendary stunt master who ruled the world of film stunts in his prime years is now content in living a peaceful life with his son and grandchildren. But he soon realizes that his acts that he thinks is normal and righteous, constantly irks his son who seems to taking their relationship for granted. One such overblown tiff with his son drives him to go do some soul searching, the outcome of which has many unexpected experiences.
-1
Four engineering graduates, clueless about what life is bound to offer them, enjoy being in each other's company, making the most of their vivacious energy, sometimes desperate to get into relationships. Just when the going seems fairly smooth, a personal setback hits them hard.
0
It's 1996 in a town called Boring, Oregon, where high school misfits in the AV and drama clubs brave the ups and downs of teenage emotions in the VHS era.
-1
While looking for the cryptic creator of an innovative augmented-reality game, an investment firm executive meets a woman who runs a hostel in Spain.
1
The life of 14-year-old Lilith is similar to that of a normal teenager, but there is a peculiarity: she is the daughter of the devil and lives with him in hell. Because she is totally bored there and also wants to have fun and explore the world, she makes a pact with her father: she is allowed to go to earth for a week - but she has to convert a good person to evil there. If she succeeds in this challenge, she may stay on earth forever, otherwise she'll be waving a hell of a boring job in the bookkeeping of the underworld.
-3
When a crisis threatens to destroy their high school, four teens hatch a daring plan to raise $10 million. Step one? Breaking into the U.S. Mint.
-2
Friends, associates and critics reveal the truly American story of Donald Trump, the brash businessman who defied the odds to become U.S. president.
-1
NRI corporate Sundar Ramasamy comes to India to vote, only to learn that his vote has already been cast. While he reclaims his right legally, it also sets in motion a chain of events that eventually lead to him entering the political fray, trying to change the system.
2
Gab de la Cuesta is a high-strung career woman who got recently engaged to her longtime boyfriend. Her well-planned life suddenly becomes complicated when she discovers that she is actually married to a total stranger.
-2
Ojukokoro tells the story of what happens when a broke manager in a money laundering petrol station, decides to rob the petrol station that employs him but along this journey finds out that there are different kinds of criminals that are also interested in the same cash.
-2
Years after taking up normal lives incognito, the cyborgs are forced to fight again when the superhuman Blessed appear with a plan for humanity.
0
John Mulaney relays stories from his childhood and "SNL," eviscerates the value of college and laments getting older in this electric comedy special.
-1
When he started as a comedy writer for the Late Show with David Letterman, Steve Young had few interests and not many friends outside of his day job. But while gathering material for a segment on the show, Steve stumbled onto a few vintage record albums that would change his life forever.
-1
Featuring the boys of Johnny's West, a gang of zany transfer students are recruited for a mysterious mission ordained by their shadowy principal.
-2
After arguing with his girlfriend, Ali, Tyler lands in the arms of sexy new girl, Holly. The next morning, he finds that not only does Ali agree to take him back, but Holly is a new student at their school and is dead set on her new man.
0
It's Christmas in Paris, a time for generosity, giving and spending time with family. At least not for everyone, Adrien has to celebrate his first Christmas without his mom, and he thinks that his father is not interested in celebrating the holiday with him this year, which inspires him the idea to run away from home as Cat Noir to sing out his anger in the cold and snow. When the news of his disappearance spreads all over Paris, Adrien's friends go out searching for him while Marinette transforms as Ladybug to search the cold and snow for the boy she secretly loves. But things get worse when she accidentally causes a man dressed as Santa to get akumatized on Christmas Eve, now Ladybug and Cat Noir have to stop him before he destroys the holiday for everyone.
-1
In a small Western town, spunky ex-city girl Lucky forms a tight bond with wild horse Spirit while having adventures with best pals Pru and Abigail.
1
When a hapless but dedicated talent manager signs his first client who actually has talent, his career finally starts to take off.
2
After finding an ad online for “video work,” Sara, a video artist whose primary focus is creating intimacy with lonely men, thinks she may have found the subject of her dreams. She drives to a remote house in the forest and meets a man claiming to be a serial killer. Unable to resist the chance to create a truly shocking piece of art, she agrees to spend the day with him. However, as the day goes on, she discovers she may have dug herself into a hole from which she can’t escape.
-2
The film tells the life of Maria Fe, a young woman who faces singleness after six years of relationship. Along with her two soul friends, played by Karina Jordán and Jely Reátegui, the girl must learn to be single again. On the way, you will run into old loves, new adventures and lots of fun.
2
In this intense obstacle course series, elite athletes from the U.S. and other countries compete for cash prizes, individual glory and national pride.
2
Days before Eid, a salesman fired from his job drives to meet his girlfriend's family, but the trip goes astray due to his zany travel buddy.
-1
The story of a teenager wrongfully charged with theft and jailed at Riker's Island prison for over 1,000 days.
-1
After surrendering to Bogotá police, an ex-guerrilla avoids prison by working undercover to investigate a ruthless enforcer of government corruption.
-3
Chakuro is the 14-year-old archivist of the Mud Whale, a nigh-utopian island that floats across the surface of an endless sea of sand. Nine in ten of the inhabitants of the Mud Whale have been blessed and cursed with the ability to use saimia, special powers that doom them to an early death. Chakuro and his friends have stumbled across other islands, but they have never met, seen, or even heard of a human who wasn't from their own. One day, Chakuro visits an island as large as the Mud Whale and meets a girl who will change his destiny.
-3
Every year the Witching World gathers to celebrate the newly inducted witches into their world. Beatrix (12) is eager to become part of this world, but when her pending magical status is jeopardized she needs the help of her furry best friend Muggs (voiced by Joey Fatone) to solve some magical riddles before the big event. Will Beatrix sink or soar on the night of the Witches' Ball?
4
After leaving his wife and his job to find happiness, Anders begins a clumsy, heartbreaking quest to reassemble the pieces of his fractured life.
-1
A man eager to serve his country but rejected by the Marines pairs up with a young runaway to form an unlikely team on a misguided adventure.
-3
Gavin Stone, a washed-up former child star, is forced to do community service at a local megachurch and pretends to be Christian so he can land the part of Jesus in their annual Passion Play, only to discover that the most important role of his life is far from Hollywood.
1
Dani Tomás (Berto Romero) is a television screenwriter disillusioned and bored of his work. One day he receives unexpected news: for a legal error he must repeat eighth grade. Now, he returns to a world he already thought he had forgotten, living new experiences and experiencing a multitude of unexplained situations and hilarious events. But he will not be alone in this epic adventure, because he will have the help of the peculiar director of the school (Carlos Areces), a police officer (Antonio de la Torre, May God forgive us) and an enigmatic classmate (Carolina Bang).
-4
Mavis navigates life without her dad, Dracula, around and discovers one of the few common human and monster truths: being a teenager bites.
-1
Local Pennsylvania polka legend Jan Lewan develops a plan to get rich that shocks his fans and lands him in jail.
0
A blind musician hears a murder committed in the apartment upstairs from hers that sends her down a dark path into London's gritty criminal underworld.
-5
When something's wrong in the Rainbow Kingdom, bighearted guardian True and her best friend, Bartleby, are there to grant wishes and save the day.
0
When he's caught up in a deadly conspiracy, an unemployed greeting card writer must create the perfect card for a new holiday to save his skin.
-2
Byun Hyuk is the younger son of a rich conglomerate family who was born with a silver spoon in his mouth. The lack of difficulties in life contributed to the carefree and hopelessly positive mindset of his. One day, he meets a girl who is everything that he is not. This drama is a depiction of youth where they learn about love and friendship.
1
A real estate baron Kehri Singh manages 'Preet Real Estate' which he runs in his daughter's name whom he consider's to be his lucky mascot. A sidelined and insulted Nikki Singh is ignored by his father and is considered to be insolent, useless and unlucky. In order to pay off a huge debt to a local criminal, Nikki sets off a chilling event that forces his father to revisit his dark past and confront a brutal truth.
-8
Shortly after the Inter-High of Kagami and Kuroko's second-year, a street basketball team from the USA called Team Jabberwock came to Japan to play a friendly match against a Japanese college-level street basketball team, Team Strky. Despite their best efforts, Strky is brutally crushed by Jabberwock. After the match, the Jabberwock players insult the players from Strky and all of Japanese basketball, claiming Strky's basketball was at the same level as monkeys and telling the players and crowds to quit playing basketball and kill themselves.  As a revenge match, Kagetora assembles a dream team of all members of Generation of Miracles plus Kuroko Tetsuya and Kagami Taiga, along with bench players Hyūga Junpei, Takao Kazunari, and Wakamatsu Kōsuke, forming Team Vorpal Swords, with the hopes of reclaiming the pride of Japanese basketball.
-1
Three hundred years ago, Bai Qian stood on the Zhu Xian Terrace, turned around and jumped off without regret. Ye Hua stood by the bronze mirror to witness with his own eyes her death. Three hundred years later, in the East Sea Dragon Palace, the two meet unexpectedly. Another lifetime another world, after suffering betrayal Bai Qian no longer feels anything, yet she can't seem to comprehend Ye Hua's actions. Three lives three worlds, her and him, are they fated to love again?
-4
Two survivors of a building collapse discover support and love in each other as they overcome the pain of loss and reconstruct a hopeful future.
1
Every day at 6 pm a serial killer kills another person. Police officer Helena Rus thinks the killings are done by one man only and decides to reveal the killer's identity by getting back in 18th century history of the city.
-4
When an evil force threatens his village, a gifted teen who can talk to ghosts puts his skills to good use, one legend at a time.
2
Recent retiree Takeshi rediscovers his passion for food and life by getting in touch with his inner warrior and eating what he truly desires.
1
A young woman returns home and must confront her ex-boyfriend when an unexpected tragedy occurs.
-3
Everyday meals are turned into extraordinary culinary creations in a magical food competition on an edible set. The UK's most talented food lovers are challenged to produce meals that must impress with originality, visuals and extraordinary flavours.
7
Daring comedian Yoo Byung-jae connects criticism he's received from the general public to some of the most touchy issues in current Korean society.
-2
Mexican superstar actress Kate del Castillo reveals the untold story of her encounter with El Chapo Guzmán, the world’s most-wanted drug lord.
0
A group of 3 yakuza failed their boss for the last time. After messing up an important job, the boss gave them 2 choices: honorably commit suicide, or go to Thailand to get a sex reassignment surgery in order to become "female" idols. After a gruesome year training to become idols, they successfully debut, with overwhelming popularity, much to their dismay. This is where their tragedy truly begins.
-3
When the naked body of a teenage girl is found on the banks of the River Baztán, it is quickly linked to a similar murder one month before. Soon, rumours are flying in the nearby village of Elizondo. Is this the work of a ritualistic killer or is it the basajaun, the ‘invisible guardian’ of Basque mythology?  Inspector Amaia Salazar leads the investigation, taking her back to the heart of the Basque country where she was born, and where she hoped never to return. Shrouded in mist and surrounded by impenetrable forests, it is a place of unresolved conflicts and a terrible secret from Amaia’s childhood that will come back to haunt her.  Faced with the superstitions of the village, Amaia must fight the demons of her past to confront the reality of a serial killer on the loose. But as she is drawn deeper into the investigation, she feels the presence of something darker lurking in the shadows…
-14
The isolated life of an extreme introvert is thrown out of order when his company hires a new employee: a cheery extrovert who's not all she seems.
0
A psychiatrist tries to put her life back together after a violent attack by seeking to repair the life of a new patient, but he has his own terrifying history.
-1
S.W.O.R.D. Chiku is a devastated and dangerous town with 5 gangs - Sannoh Rengokai, White Rascals, Oya Kohkoh, Rude Boys and Daruma Ikka - fighting fiercely. The name S.W.O.R.D. comprises of the first letter in each of these gangs. Before these 5 gangs, the legendary Mugen gang dominated the town. Mugen and the Amamiya Brothers (who did not submit to Mugen) clashed and Mugen disbanded, but ...
-2
About the extraordinary doctors and activists—including Paul Farmer, Jim Yong Kim, and Ophelia Dahl—whose work 30 years ago to save lives in a rural Haitian village grew into a global battle in the halls of power for the right to health for all.
3
Centered around 3 couples lives in Argentina as they deal with life, personal problems, and each other. Three boys work in the same office and each of their girlfriends end up becoming friends. Lies and drama build up and tie all of their lives together in a way.
-1
The neurotic Fikret and tavern singer Solmaz, whose 21 year long relationships end on the same day, meet through a funny coincidence. When Solmaz's daughter Zeynep decides to marry her lover from Adana, the ever-fearful Fikret ends up having to play the role of his life. Intended at first to be kept in the family, the wedding becomes a much bigger event upon the insistence of the groom's relatives. Can our heroes come to terms with the traditional Adana family who carry guns and own a kebab restaurant chain, and see the wedding through without mishaps?
-1
A surveillance expert who wants to help people comes across a foe who is the very definition of evil. Can he stop the man before he destroys everything?
-2
A young couple dream of growing old together as they deal with the struggles of being in a long-term relationship.
-1
When Sade, the central character suffers a personal tragedy, she is taken on a journey of self-discovery and faith which transforms the lives all those around her. God Calling shines a spotlight on modern day spirituality by imaginatively exploring what it might look like for Abraham or Prophet Elijah to be Nigerian in 2018, and have to contend with disbelief as well as modern-day realities such as smartphones, and social media.
1
In his stand-up set, Argentine comic Lucas Lauriente animatedly rattles off reflections on different generations and begs kids to stop saying "goals."
-1
A Palestinian couple resorts to an unusual way to conceive as the husband is detained in an Israeli jail where visits are restricted.
-2
The lives of a gullible maid; a beautiful socialite; an ambitious investment banker and a happy go lucky chauffeur are entwined together in Dubai, in this bitter-sweet tale of self discovery.
3
The theft of the Greater Grail from Fuyuki City leads to a splintered timeline in which the Great Holy Grail War is waged on an unprecedented scale.
3
After speaking at the Wakanda Embassy, Black Panther fights Thanos and fends him off with the help of fellow Avengers Captain America, Thor, Iron Man, Hulk, and Black Widow. After regaining conscious, Thanos is approached by Erik Killmonger and Ulysses Klaue in a plot where they will obtain the Vibranium in Wakanda to empower Thanos. When Black Panther discovers this plot, he must work with Shuri, Okoye, and the Avengers to defeat them.
1
Heo Im is an oriental doctor, acknowledged as the best in acupuncture and moxibustion in Joseon. His success is blocked due to his low status.

One day, Heo Im travels though time and finds himself in present day Seoul. He meets Choi Yeon-Kyung. She is doctor firmly believing in only modern medicine.
3
Laura has spent years looking for her sister Sara who went missing in the depths of the jungle in the Congo. Neither the NGO she works for, nor the embassy, have news on her whereabouts until a photo appears of Sara in a mining town. Apparently, Sara is being held captive by The Hawk, the fearsome rebel leader who controls the mafias behind the prized mineral coltan.
0
Set in the Joseon Dynasty period, a romance takes place between cold-hearted Gyun-Woo and Princess Hyemyung who causes troubles.
-1
At Korea's top university medical center, ideals and interests collide between a patient-centered ER doctor and the hospital's newly-appointed CEO.
2
Twenty years after the modern world's most notorious child murder, the legacy of the crime and its impact are explored.
-2
A documentary about today's young adult hookup culture and the stories in pop-culture that influence it.
0
Penetrating the insular world of New York's Hasidic community, focusing on three individuals driven to break away despite threats of retaliation.
-3
Pope Francis responds to questions from around the world, discussing topics including ecology, immigration, consumerism and social justice.
0
A look at India's second confidential nuclear test series at Pokhran lead by Dr. APJ Abdul Kalam, during the time of PM Atal Bihari Vajpayee's tenure.
1
Six young friends in the small town of Angamaly tries their luck by starting a pork business lead by Vincent Pepe. They initially strike a business deal with Rajan and Ravi despite the duo having killed a close friend of theirs in a gang fight. Vincent is in love with Sakhi and plan to immigrate abroad with her. But their plans hit a road bump as the deal with the gangsters hits some road bumps.
-2
Despite the Philippine government's crackdown on narcotics, high schooler Joseph expands his drug running while his cop uncle profits from corruption.
-1
In her first stand-up special filmed at the Nate Holden Performing Arts Center, Los Angeles native and rising star Tiffany Haddish tackles subjects ranging from her early days in foster care and being bullied on the playground to getting revenge on ex-boyfriends and introducing Will and Jada Pinkett Smith to Groupon.
-1
When a group of people meets at the same party, they form four different relationships, each experiencing similar phases of love.
1
A girl named Mika decides to go on a road trip to look for aliens. During her trip, she accidentally bumps into Caloy whom she gives a free ride to until he reaches his destination. Mika then finds out that Caloy has cancer but despite it, he has learned to accept his fate. Both embark on a journey filled with adventures and misadventures not knowing they would fall in love with each other along the way.
-1
Argentine actor and comedian Fernando Sanjiao uses humor and impersonations to explore the concepts of masculinity and fatherhood in modern times.
2
In the distant technological future, civilization has reached its ultimate Net-based form. An "infection" in the past caused the automated systems to spiral out of order, resulting in a multi-leveled city structure that replicates itself infinitely in all directions. Now humanity has lost access to the city's controls, and is hunted down and purged by the defense system known as the Safeguard. In a tiny corner of the city, a little enclave known as the Electro-Fishers is facing eventual extinction, trapped between the threat of the Safeguard and dwindling food supplies. A girl named Zuru goes on a journey to find food for her village, only to inadvertently cause doom when an observation tower senses her and summons a Safeguard pack to eliminate the threat. With her companions dead and all escape routes blocked, the only thing that can save her now is the sudden arrival of Killy the Wanderer, on his quest for the Net Terminal Genes, the key to restoring order to the world.
-8
If you ever asked yourself what if there is any place where all your desires could suddenly come true, you should play «Sparta». «Sparta» is a game without any rules. Experiencing the game will change your life by the reason of virtual world crossing the borders and becoming the part of our daily routine.
0
A loving (but immature) father is committed to co-parenting his two kids with his very-together ex-wife. While his misguided fatherly advice, unstoppable larger-than-life personality and unpredictable Internet superstardom might get in the way sometimes, for Marlon, family really always does come first - even if he's the biggest kid of all.
-2
Set against the backdrop of the infamous Theatre Grand Guignol the story revolves around iconic actress Paula Maxa - the most famous of the Grand Guignol's leading ladies and the titular Most Assassinated Woman, who was graphically slain on stage multiple times a day.
3
Two white collar thieves compete fiercely against the other trying to steal to an old baker the millions he won on the lotto.
0
A Toronto police officer gets involved in a homicide investigation while visiting his father in Mumbai.
0
Adapted from the novel by author Wu Hsiao-Le, the series consists of five independent stories about parenting, as well as children's pressures of growing up, when faced with the tragic consequences of social pressure, parental oppression and family dysfunction. Each story is told in two parts in this ten-part series.
-1
Surviving power struggles, betrayals and plots, Hitler's inner circle of Nazi leaders seizes control of Germany and designs its disastrous future.
-4
Pining for a lavish life abroad, a lazy but lovable guy next door crafts a scam to avoid a career in nursing and find a wealthy spouse to secure a visa.
2
The movie is comprised of six inter-related stories that tell of the frantic days leading up to the most important election ever in Malaysia. It follows the lives of everyday people, who come together for their common love: their country. Each of the stories told shows the meaning of being a true Malaysian.
2
Radio broadcaster, actress and comedian Jani Dueñas brings her acid sense of humor to this stand-up special as she pours out her feelings on issues that are all too universal, from aging to dieting to sex.
0
Colombian comedian Alejandro Riaño discusses the perks of dating a she-wolf, styles of dancing, the quirks of Bogotá men and soccer game announcers.
0
A Chilean comedian fuses activism with irreverence for a stand-up set filled with jokes about misogyny, reproductive rights and respecting women.
0
An uplifting story about a girl's decision to rise above her dark family secrets, heartbreak and culture shock to live out her dreams abroad.
-1
On a relentless quest to avenge his sister's murder, a man from Cape Town infiltrates a sprawling network of lowlifes and elites in Los Angeles.
-2
Preschool kids whose parents are the world's most famous monsters try to master their special powers while preparing for kindergarten.
1
Based on the characters from the bestselling novels by Angela Sommer-Bodenburg, tells the story of Rudolph, a thirteen year old vampire, whose clan is threatened by a notorious vampire hunter. He meets Tony, a mortal of the same age, who is fascinated by old castles, graveyards and - vampires. Tony helps Rudolph in an action and humor packed battle against their adversaries, together they save Rudolph's family and become friends.
-1
Joined by his faithful mecha-butler, Kaz Kaan pursues love, fashion and supernatural forces amid Neo Yokio's sinister high society.
1
Uruguay, 1973. Having been crushed by the military dictatorship, surviving members of the Tupamaro guerillas are imprisoned and tortured. They must find a way to endure the coming 12 years.
-2
Magician Drummond Money-Coutts travels the globe, sharing his infectious love of his craft and attempting feats that proved fatal to other magicians.
1
Two girls have a chance encounter and instantly befriend. While trying to find themselves, they decide to pursue music together.
1
Actor and fight enthusiast Frank Grillo travels the world, immersing himself in different fight cultures to understand their traditions and motivations.
1
Three people with insomnia get together at a supermarket where they share their experiences.
0
Alex and Selma are a couple in love on a trip to the heart of Bosnia and Herzegovina. Suddenly, Selma feels a mysterious force is chasing them.
0
A loud poem. A whimsical western tale of music and love.
0
Living on the borders of Kerala and Tamil Nadu, Rangasamy, a laborer just like his fellow sons of soils toils, hard-working at the spice plantations owned by landlords. He lives a happy life and wishes to own a piece of land and earn a living through farming. After years of struggle, his dream finally comes true when Chaako, a local politician helps him buy the land, however, he soon faces tougher challenges as he has to deal with corrupt and wealthy politicians.
2
Popoy and Basha have had a wonderful wedding, but their subsequent married life turns out to be extremely difficult.
0
After a chance phone call leads to daily conversations, a widowed restaurant owner and a lonely film actor plan to finally meet in person.
0
Two men kidnap the daughter of a rich man, and the latter approaches a retired cop to track the missing woman.
1
A low-level hotel worker gets involved in a street fighting racket on the advice of a compulsive gambler. When the duo realise they have been duped by the gangster controlling the racket, they decided to rob him…
-2
From a Mexico City theme park, energetic stand-up Alex Fernández riffs on music, cheap toys, insecurity and other fun things about growing up.
0
Argentine comedian Sebastián Wainraich highlights the comedy in everyday life, from minibars to reasons why funerals are better than weddings.
1
Go behind the scenes with Brazilian superstar Anitta as the singer reveals how she's consolidating her international career.
0
When she was a little girl, Atsuko "Akko" Kagari saw a magic show performed by a witch named Shiny Chariot.  From that day on she wanted to be just like her.  Enrolling at Luna Nova Magical Academy and having no magical background, can she become a witch like her idol Shiny Chariot?
8
When the slave boats docked in the Americas, Cuba and the Caribbean, hundreds of cultures and religions came with the Africans but only one survived the plantations. To date, the most pronounced African Culture of the Diasporas remains the culture of the Yoruba. From Brazil to Trinidad, the United States to Cuba, Haiti and the entire Caribbean, this West African culture dominates all other Cultures of Africa and could be said to have survived the plantations for hundreds of years. Bigger Than Africa follows the trans-Atlantic slave trade route from West Africa to six different countries-- USA, Nigeria, Brazil, Republic of Benin, Trinidad and Tobago and Cuba-- to explore and find reasons for the survival of this particular West African Culture.
0
The true events of Lieutenant Commander Arman Anwar of PASKAL, an elite unit in the Royal Malaysian Navy, and his team's mission to rescue the MV Bunga Laurel, a tanker which was hijacked by Somalian Pirates in 2011.
1
Four tech-savvy teens hone their skills as cyber-superheroes in a series of secret missions to save the world.
1
A young street artist in East Los Angeles is caught between his father's obsession with lowrider car culture, his ex-felon brother and his need for self-expression.
1
Marc and Rebeca, a young couple, travel to an old country house that used to belong to their family. Once there, they write the shared history of their roots, creating a huge family tree that harbours relationships of love, heartbreak, sex, madness, jealousy and infidelity, and under which also lies a history laden with secrets.
-2
A father and son rekindle their bond through the online role-playing game Final Fantasy XIV in this live-action series based on a true story.
0
Three rival freelance stringers scour the streets at night to film crime scenes, fires, accidents -- and anything else they can sell to news outlets.
-2
The movie is about the endless miracles during the motorcycle trip of Dan, Tettsu, and Chiharu, the Sannō Rengōkai trio (also known as DTC).
1
Set within the stark Icelandic landscape, OUT OF THIN AIR examines the 1976 police investigation into the disappearance of two men in the early 1970s.
-1
What limits does Malena cross to get what she wants most? Malena is a 38 year old middle class doctor from Buenos Aires. One afternoon she receives the call from Doctor Costas, who informs her that she must travel immediately to the north of the country: the baby she was waiting for is about to be born. Unexpectedly Malena decides to embark on an uncertain journey, full of crossroads, facing all kinds of legal and moral obstacles that will make her constantly wondering how far she is ready to go.
-3
The story of billionaire industrialist Chief Beecroft, a flamboyant benefactor to a large extended family of relatives, household staff and assorted mistresses. Chief lives large, like there’s no tomorrow, until the day he dies suddenly and the ‘bullion van’ stops. What’s in his will and who gets all that money? What happens next will surprise you, as Chief Daddy has the last laugh from beyond the grave.
1
Performing at a bar, Mexican stand-up comedian Mau Nieto dishes on his modest upbringing, his failed relationships and his attempts to stay sober.
-1
Barbie and her sisters take off on another exciting, global adventure to visit their friend Ken at his summer internship at a beautiful and exotic coral reef.
2
A band of students comes to celebrate the New Year in an old manor house isolated from everything. But soon after their arrival, strange events disrupt the atmosphere, before the party turns squarely to the nightmare ...
-3
Annabel is a successful businesswoman with a wealthy husband. At a reception in her villa she meets a woman, a member of the catering staff who has been hired for the evening. This woman is none other than her own daughter Chiara, whom she had left over thirty years ago. Chiara was just eight years old at the time. She now approaches her mother with an unusual request: to spend ten days together with her.
1
A cleaner woman with vocational street dancer tries to recover her long-stranded son that she gave for adoption, a former CEO who lost everything, including his memories.
1
Amalie is the girl who has everything, good looks, money, a boyfriend and a big talent of dancing. One day, her world falls apart and she moves from everything she knows. Then enter Mikael. He is dancing in the streets and Amalie joins him in dancing on the streets, dancing Battles.
1
Desperate to keep her husband’s secret, a devoted politician’s wife struggles to stave off threats that could ruin their promising new life.
-3
Rachel Dolezal became infamous when she was unmasked as a white woman passing for black so thoroughly that she had become the head of her local N.A.A.C.P. chapter. This portrait cuts through the very public controversy to reveal Dolezal’s motivations.
-2
A father attempts to reconnect with his estranged son through social media, a new world for him.
-1
It's Halloween in Pitchfork Pines, but the neighbors don't seem to be in the mood. Can the Super Monsters save their favorite holiday?
1
Nobody's safe as Michelle Wolf unapologetically takes aim in this weekly topical show that blends sketches with live comedy and in-studio guests.
1
After accidentally shooting a 12-year-old boy, a dedicated cop is removed from his position. Forced to take work at a local cinema and beginning to lose his eyesight, he struggles to provide for his son.
0
When a soccer club manager brings one of his injured foreign players home to recuperate, they form an unlikely bond despite their cultural differences.
-1
Three different stories about heartbreak and happy endings.
1
The Guardians are on a mission to deliver the Build Stone to the Avengers before the Ravagers, Thanos and his underlings steal it from them.
-1
Kids rule in a place called Harvey Street, where a trio of girls right wrongs, ice cream is always an option, and every day feels like Saturday.
1
A true story of Samy, native of La Courneuve, who is out of love for Nadia, decides to climb Mount Everest.
1
How the characters from Lego Jurassic World: The Indominus Escape (2016) and Jurassic World (2015) got involved with the Park.
0
Two best friends stuck in boring jobs become bachelor party planners in Budapest.
-1
Police officer Dev investigates a double murder case that has only two witnesses - an acclaimed writer Vikram and a young homemaker Maya, who also happen to be the prime suspects in the case. He finds himself being torn between their own version's of what happened on the fateful night, and takes it upon himself to figure out the real story and capture the real murderer.
-3
After his friend is shot, Jon finds a numerical pattern behind deaths that occurred at the same location and sets out to warn the next young victim.
-1
Try to keep up as comedian Todd Glass delivers rapid-fire stand-up that bounces from his heart attack to his coming out to how to eat a Kit Kat.
-1
Ms. Julie teaches performing arts workshops with the help of her assistant Gus at their Wellspring Center for the Performing Arts.
0
Pressured by his dad since childhood and by his boss at work, a man has a breakdown, but finds his rehabilitation at the unlikeliest of places.
0
Pensioner Roli comes to Fareed's assistance when the Syrian refugee is faced with the burial of his Muslim wife. Together they stumble into a bewildering forest of Swiss bureaucracy to which Roli finds beautifully simple answer.
-1
After a chance encounter, Pia  and Nix instantly hit it off. Natural conversations eventually develop into deep attraction. Despite their wounds from previous relationships, both decide to take a chance on each other.  But when their love blossoms into a relationship, their differences will test their love and will make them question: Are they ready for love when they're still carrying baggage from their past?
6
In the probing documentary "Party Monster," DJ Fingablast investigates what became of his childhood hero, DJ Slizzard.
0
Toc Toc follows the adventures and misadventures of a group of patients with OCD dated at the same time.
1
The love story between a top actress and an airline director who each suffers an unusual phenomenon. He suffers from prosopagnosia, while every month she transforms into someone else for a week.
-1
Amid a coup, a North Korean agent escapes south with the country's injured leader in an attempt to keep him alive and prevent a Korean war.
0
In a strange world where people share numerous deformities, the same problem we all face challenges each of them: to find someone who accepts you as you are. Sometimes, that means finding yourself first.
-2
Arturo, the successful owner of an art gallery, and Renzo, a talented but decadent painter, are old friends who cannot stop bickering. One day, Arturo comes up with a solution to all their problems, but the plan they concoct turns out to be crazier and riskier than they originally expected.
-1
This drama takes place in fictional entertainment company where a producer who has produced many famous idols suddenly has an existential crisis and disappears. Years later he appears and starts to put together a co-ed idol group, which is when the story begins.
1
Unbridled comic Chris D'Elia reconsiders his approach to major life events like marriage, not having kids and buying pants for your friends.
1
Yogi and Jaya, who have polar opposite personalities and sensibilities, meet via an online dating app. This encounter turns into so much more when the two travel to Rishikesh.
0
Cali a blogger who owns the upcoming blog "The Bakit List," and her ex Gio who will return to her life unexpectedly and surprisingly.
-1
Tough, but diva fabulous, Leo, an aspiring drag superstar, is stuck working in a fish cannery in Alaska. He and his twin sister are trapped in the monotony of fist fights and fish guts. Out of necessity, Leo learned to fight back, which catches the attention of the local boxing coach. When a new boy moves to town and wants to be his sparring partner, Leo has to face the real reason he's stuck in Alaska.
-4
The Bonifacio siblings reunite when they find out their father is diagnosed with cancer. In the process, they have to deal with unresolved issues among themselves before it's too late.
-3

0
Imprisoned on an unfair charge of fraud, a mild-mannered Jordanian contractor discovers that prison has its own rhythms, rules, and economies — and he soon begins to carve out a position for himself in this place where fraud isn’t a crime so much as a way of life.
-4
An ordinary girl is admitted to the most prestigious school in the country where she encounters F4, an exclusive group comprised of the four wealthiest and handsomest boys in the school - Dao Ming Si, Hua Ze Lei, Xi Men and Mei Zuo.
1
Song Soo-Jung is an arrogant pop star who believes not only that status and money can get you anywhere, but that it defines your worth. She accidentally falls into a time-slip portal and travels back in time to the Joseon era where she meets On-Dal, a man who loves money yet is generous to those without.
1
Abraham and his female friend Álex have a close relationship; they share both secrets and fears. When Abraham starts going out with Anchi, he begins to distance himself from Álex, who gradually dives into a living hell where she encounters strange apparitions, nightmarish visions and extreme situations.
-4
I-Machines are the general term for robots that operate in extreme environments. While Alliance Academy student Maya Mikuri is in the middle of operating an I-Machine, she gets involved in an incident with pirates, and ends up serving as a crew member on an excavation company's spaceship.
0
B. A. Pass 2 is the story of a young girl, who, in order to achieve her goals and to avoid marriage, makes a few wrong decisions and adopts ill habits that eventually ruin her life.
-2
Two young people embark on a winding and rocky path to love after meeting at a wedding.
0
As Kalyan, a blind chef and Vennela, who comes visiting him at his restaurant, fall in love and start making plans for their future, Vennela goes missing. Series of unexpected and shocking events follow.
-3
A woman is murdered and her neighbour is picked up as a suspect. Meanwhile, a journalist believes he can use this murder to lure an elusive gangster, with help from the guy’s former accomplice.
-4
Ru Wei and You Yan have a simple relationship. But in every simple relationship, there are many difficulties. They are not rich, but they try very hard to enjoy life. They are very serious about their relationship and try their best to achieve something in life - hoping one day they can become who they want to become. One day, Ru Wei has a 'lucky chance' in life. Her company wants to send her to Shanghai, with a promotion and higher pay. These two who are deeply in love cannot bear to have a long-distance relationship. With all the uncertainties in their future, can they still stand by each other?
2
Seven people from different walks of life give their blood sample for ELISA Test - AIDS Screening. To avoid the tension of waiting, they decide to bribe the technician and know the results earlier. They come to know only one among them has AIDS. Each one hoping it is not him,waits with anxiety. The film takes an unexpected turn from here creating an emotional and shocking end.
-4
In the outskirts and back-alleys of Kuala Lumpur, several individuals with money problems struggle to get their lives straight, find their paths unexpectedly intersecting - with fatal results.
-4
Alone and far from home, The Kid makes his way through a strange city looking for the means to get through his day. Surrounded by predators he is forced to make compromises merely to survive, his life of exile grows one day longer.
-2
It tells the love story of Lu Jin Nian and Qiao An Hao spanning 13 years. They first got to know each other in school, but later parted ways again due to some misunderstandings. Now, Jin Nian is the unapproachable king of the entertainment business while An Hao is a rookie in the same business. Fate lets Jin Nian and An Hao meet again and An Hao ends up becoming his fake wife.
-1
Secrets from the "Stranger Things 2" universe are revealed as cast and guests discuss the latest episodes with host Jim Rash. Caution: spoilers ahead!
-2
Tasked with risky missions across Turkey, members of a special-operations police unit confront danger and tragedy both on the field and at home.
-4
Yoon So Ah is a pragmatic neuropsychiatrist who carries a tremendous financial burden to run her own practice. Her family has been tasked with serving Ha Baek, a reincarnated water god, for many generations, and So Ah is forced to do the same. Ha Baek starts to develop feelings for So Ah, but he has competition for her heart from Hoo Ye, the CEO of a resort company, who clashes with So Ah over a piece of land but then falls in love with her. Can a relationship between a mortal female and a god have a future?
-2
Mexican stand-up comedian Franco Escamilla draws his jokes from real-life experiences -- and he's willing to do anything for new material. He's not afraid to make generalizations about how men bathe. But he is scared to talk to strangers. Especially at funerals.
-3
High schooler Ayumi's perfect world evaporates when her envious classmate Zenko somehow steals her body, her boyfriend and her life.
1
There is an over-arching plot detailing the rivalry between the Goh-Rong Restaurant and the Sooga Island location of a multi-national restaurant chain called Dong King Restaurant. Ring Ring, a local 12-year old fashion star, who appeared in the Jetix show and also appeared as Pucca's rival for Garu's affections, is revealed to be the daughter of Dong King and at times works for him, while also directing his servants against Pucca. These servants, under the command of the Dong King Restaurant's manager, Fyah, continually attempt to steal the Goh-Rong's customers by means of various dirty tricks, including occasionally hiring villains such as Tobe and his ninjas or The Pirates.
-4
The adventures of four kittens who make up the musical group called The Buffycats, with stories focusing on themes of friendship, altruism, tolerance and diversity.
0
In order to conceal past corruption by the government, the Kyuryu group proceeds on a plan to destroy a street and build a casino. To stop the Kyuryu group, members of SWORD begin to move.
-2
Based on the longest-running web-based comic series "Ma Eum Ui Sori" in Korea, "Sound of your heart" is a story about Cho Seok, an aspiring comic writer, and his strange family.
-1
Amped up with powers that make them faster, stronger and more agile than ever, the Dinotrux are back to face new challenges and meet new friends.
3
Powerful cats, indestructible arachnids and flesh-melting pit vipers are just the beginning in this series about Latin America's deadliest creatures.
0
An action-packed series about several Colombian women who work as intelligence agents. They investigate the perilous criminal activities of drug lords while maintaining their lives outside of work. Undercover Law is based on a true story.
1
An online community of amateur sleuths use technology to solve crimes -- and make quirky friends -- in their quest for justice.
-1
Quebec, 1956. The impulsive and headstrong Nelly Maloye, a novice private eye, joins the methodical and pragmatic Simon Picard, a research scientist in a dubious quest to prove the existence of the elusive Yeti. The brave-hearted heroes come face-to-face with countless dangers during their trek through the heart of the Himalayas.
-2
With exciting trips to the big city, the ski slopes and beyond, the Veggie friends expand their horizons and learn valuable faith-based lessons.
2
What do netizens know? Ting En (Chris Wu) is a celebrated chef whose fine-dining restaurant is a destination for food lovers from all over the world. When Ting En stumbles upon comments on the Internet from people who can’t afford to eat at his high-priced restaurant, they blow his mind. Netizens claim that the culinary creations made by Fen Qing (Ivy Shao) at the night market are just as satisfying as Ting En’s Michelin-worthy food. Determined to debunk such preposterous claims, Ting En goes to the night market to find Fen Qing and show her what true culinary talent really is. Whose cuisine will reign supreme? “The Perfect Match” is a 2017 Taiwanese drama series.
3
Wako Taira is 31-years-old. She works part-time at a cinema close to her home. Her boyfriend is Fu-kun and they have lived together for 3 years. She has never thought of breaking up with her boyfriend, considering her age. One day, she meets high school student Yumeaki Iko. She can't resist him. Wako Taira has an affair with Yumeaki Iko.
0
Armed with a powerful amulet, a teenage guardian is tasked with protecting her little sister -- and all of Elvendale. Based on the popular web series.
2
Selim a young doctor in search of the 100th patient to finish his thesis comes across a beautiful young girl, Aysel who has tried to commit a suicide. As a possible cure, dance become their main focus and by coincidence they find themselves attending competitions under the guidance of Sengül Dance School.
3
Seeking a greater justice, a band of homeless assassins flays their human targets and delivers the tattooed skins as proof of a contract fulfilled.
-1
Samuele is 16 and has a passion for skateboarding. He has big dreams: going to university, move to California, and travel, but things change when he meets Alice, who could be the girl of his life.
1
It's a love story between a fashion blogger and a video game blogger. The beauty and the nerd.
2
A young couple finds their love rekindled after being separated for ten years. Lu Fei, a seemingly perfect Prince Charming unexpectedly encounters the stubborn and rebellious young lady Xin Chen. Despite their clashing personalities, they find themselves drawn to one another and eventually fall in love. However, they later separate, and it is not until ten years later, when Lu Fei lets go of his newly burgeoning company overseas and returns to search for Xin Chen, that they rediscover the meaning of their love.
1
A stoic book salesman leads a double life as he plays hooky from work to write his sweets blog. In his journey to attain a glimpse of sweets heaven Kantaro samples various Japanese and Western sweets.
6
The cult hit returns! Captured by mad scientists, new host Jonah survives a blitz of cheesy B movies by riffing on them with his funny robot pals.
-3
Members of SWORD win against Wangan Rengogun, which is led by Kohaku (Akira). The city becomes peaceful again.  Nevertheless, the most brutal gangs, Doubt and Prison Gang, appear. They try to dominate the area controlled by SWORD.
1
A young man with charisma and magnetism enters the atmosphere of tropical music as a romantic singer and undertakes a vertiginous ascent to fame.
3
Desire and greed intertwines the lives of a Bollywood star, his chauffeur, a prostitute and her pimp in an unlikely love story.
-1
When Bo mistakenly thinks that her friends don't like her gifts, she heads to the North Pole to ask Santa for help making better presents. She learns along the way that Christmas is about far more than just the toys.
1
Aprilyn who is left by his groom on the day of their wedding becomes viral online. Devastated, she meets Raffy who works at a PR agency hired by the father of the groom who will help her move on.
0
Snatching trophies. Getting gorgeous. Turning it up. Alyssa Edwards rules the dance studio by day -- and the drag world by night.
1
The extraordinary life of Chickasaw Nation citizen Mary Thompson Fisher is given a heartfelt tribute in this moving look at a culture in transition, and the way one woman used her voice to keep Native traditions and stories alive. Raised in Indian Territory, Fisher left home to pursue her dream of becoming an actress, only to find that her true calling was at home all along. From Chautauquas to Broadway and even the White House, Fisher traveled the world performing Native American songs and stories for heads of state, American presidents, and European royalty. Featuring Chickasaw citizens both in front of and be-hind the camera, this touching portrait starring Q’orianka Kilcher (“The New World”) and Graham Greene honors a woman whose own story was the most inspiring one she never told. -TCFF database
4
A new team of superhuman power rangers must work together and use their new ninja powers to prevent evil from dominating the human race and from destroying the planet earth and the universe
0
Dylan and his pals Hailey and Ollie work together to compete in Battle Blading.
1
At a Bandung high school, charming and rebellious Dilan vies for the affections of shy new student Milea.
1
Documentary series going behind the scenes at the Zig Zag Dance Factory in Wolverhampton, England run by coaches Warren Bullock and Jane Bullock.
0
A meatball seller gets into trouble so flees Istanbul to find a new life on a beautiful island.
-1
Kathir, a music director, starts seeing Meera, who teaches music. He starts receiving compromising videos of Meera, and desperately tries to find out the person wrecking their lives, but will it be too late?
-1
At a university football team reunion, former team manager Mitsuki Hiura confesses that she killed a person to quarterback Tetsuro Nishiwaki. She also reveals that as a result of a gender identity disorder, she is now living as a man. Tetsuro and his friends were puzzled by the events leading to her behaviour. They try to protect their old friend as they gradually discover the truth.
-1
Set against the backdrop of the mystical Northern Lights, Scout Elf Newsey investigates how Santa travels the world at night.
0
The history of the powerful weapon on land, the tank. Covers its entire history, from paper designs of the early-1900s to the beasts of the present day.
0
Shiva is just looking to sow some wild oats before settling down, until he falls in love with his beautiful neighbor.
0

0
Comedian Daniel Sloss is ready to find the funny in some very dark topics, from the deeply personal to the truly irreverent.
-1
After winning a local talent show, the Beat Bugs journey to compete on "The Bug Factor," a televised singing contest held in faraway Rocket Ship Park.
0
Naomi Watanabe hosts a reality show in which eight young actors perform kissing scenes in a drama. Then the camera follows them to see if sparks fly!
0
Everyone in the Osayande family worries about Isoken. She's beautiful, successful, and surrounded by great family and friends, but she's still single at 34--a serious cause for concern in a culture obsessed with marriage. At her youngest sister's wedding, their overbearing mother thrusts her into an orchestrated matchmaking with the ultimate Edo man: Osaze. He's handsome, successful, and from a good family, which makes him perfect Nigerian-husband material. But in an unexpected turn of events, Isoken meets Kevin and falls in love with him, and he just might be what she truly wants in a partner. The only problem: not only is he not an Edo man--he is Oyinbo (Caucasian). Isoken is a romantic dramedy that explores cultural expectation, racial stereotypes, and the bonds that unite families in touching, dramatic, and comedic ways.
2
Two former high school friends Patty and Cocoy find each other unexpectedly 30 years later, not only as organizers of their high school reunion, but also as new neighbors. Patty and her daughter Yanni's quiet lives then get an unexpected shake-up when love—in the form of Cocoy and his nephew Jason —comes knocking on their door.
-1
Yijuan and her mentally ill sister Kaiqi struggle to be happy in the face of misfortune, criminal intrigue, marital strife, an exorcism and a ghost.
-2
Four rich men (the Merry Men) seduce powerful women, get contracts from the political elite, steal from the rich, give to the poor and have sex with the hottest women in town. They face their biggest challenge yet when they antagonize a notorious and corrupt politician who plans on demolishing a village to build a shopping mall. The four men scheme to save the poor people of the village.
0
Sr Inspector Maruti Nagargoje is investigating a murder case which took place in the house of a couple.Who claim that they weren't in the house when the incident happened.Maruti has a different way of working as he doesn't consider statement given to police on crime scene as valuable and conducts his own interrogation with suspects.
-2
A seemingly traditional journey of a young sheikh in a governmental mosque who moves from leading prayers to becoming a TV celebrity issuing "fatwas" that are accepted by millions who have become fans of his as a result of his courage and his attempts to deviate from the usual religious rhetoric in a society heavily influenced by fundamentalism. From Behind the scenes that exposes religion and authority struggle - Mawlana is a movie that defy boundaries.
-3
Bryan Regan blends his trademark observational stand-up with short sketches and a bit of audience interaction in this hybrid comedy series.
0
Based on the life of TV chef Fu Pei-mei, this drama follows two women -- one rich, the other poor -- who fortuitously cross paths in 1950s Taiwan.
1
Antonio tries to show his friend Carlos that his wife cheats on him. As he tries to make his friends see the truth, a number of different people and funny situations come up.
-2
A serial killer in Payatas leaves the bodies of young boys in the dump as two Jesuit priests try to solve the murders.
-3
In the rural outskirts of Gaza City a small community of farmers, the Samouni extended family, is about to celebrate a wedding. It's going to be the first celebration since the latest war. Amal, Fuad, their brothers and cousins have lost their parents, their houses and their olive trees. The neighborhood where they live is being rebuilt. As they replant trees and plow fields, they face their most difficult task: piecing together their own memory. Through these young survivors' recollections, Samouni Road conveys a deep, multifaceted portrait of a family before, during and after the tragic event that changed its life forever.
0
Mexican comic Carlos Ballarta mocks himself and points out the absurdities of parenthood and how he uses his wife's pregnancies to avoid commitments.
-1
Three Nepalese children rely on each other for survival after they become separated from their parents while entering India.
1
The Robles family, born and raised in the Americas, experiences the highs and lows of the revolutionary drive to Peru's independence.
1
What happens when an entire town forgets the true spirit of the Christmas season? It’s up to Santa and a delightful cast of North Pole characters to help them remember! In this festive Elf Pets® animated special, Santa discovers there is not enough Christmas spirit for him to make Christmas magical. Thankfully, The Elf on the Shelf® Scout Elves, Santa’s special Elf Pets® St. Bernard pups and a big-hearted family join forces to help others remember the true meaning of Christmas and ensure another successful holiday season for Santa!
5
The film revolves around a poor and ambitious young man who shares a love story with the daughter of a businessman with influence and money.
1
An orthodox youngster and a free-spirited lady fall in love, only to understand that they are different in all aspects of life. How do they realise their complex requirements and mistakes?
-2
Pacto de Sangue is about Silas Campello, a news reporter who sees an opportunity to get big TV ratings through raw, violent content after he starts to cover the murders and gang wars playing out deep in the Amazon jungle between two rival drug lords.
-3
Fourteen years after the woman he loved left him, a married man ventures to Amsterdam to find her but must decide where his heart lies.
0
A student diver risks her scholastic future and relationship with her father when she dates a moody transfer student consumed by their romance.
-2
Argentina's Luciano Mellera emphasizes the humorous and fantastical aspects of childhood through comedic impersonations and insights on daily life.
1
Three generations of a family get together for the 25th anniversary of Rick and Cristy while their daughter Tin appears clueless that her parents no longer sleep on the same bed.
-1
The events revolve around Akram (Tamer Hosni), who receives an invitation to attend a masquerade party. He decides to wear police uniforms, which causes him to suffer a crisis as a police officer, while looking for a particular file.
-2
As over 6,000 immaculately dressed military re-enactors, men and women, gather for the 200th anniversary of the epic Battle of Waterloo, some of them representing real individuals from the time, whether ‘humble foot-soldiers’, ‘officers’ or the great ‘Marshal Ney.’ who is unfortunately less adapt at horsemanship than the original, the real battle is taking place elsewhere: American Mark Schneider, considered the best Napoleon in the business, vs. Frenchman Frank Samson, uniform-maker extraordinaire, as to who will be Emperor on the day. There was only one Napoleon, there can be only one Napoleon, but the Belgians are in charge, unrest is growing in the ranks, there is an outstanding prison sentence to be served, an unpaid bill for parking to which the ‘Empress Josephine’ also has something to say, and as to who meets their Waterloo first, you’ll just have to watch.
2
Four employees of an import company discover that they were cheated by their former boss with a proposed society. Now with the bankrupt company, it is up to this quartet to solve all the processes and debts of the company. With no money to clear all accounts, they decide to create a video channel for the internet.
-2
The relationship between a painter and his admirer unfolds as an abstract, twist-filled hide-and-seek game against the backdrop of murder and revenge.
-1
An epidemiologist turns her nationwide bird flu investigation into a chance to sample local delicacies en route, with three friends along for the ride.
1
People bring their stories of missed lust connections to an objective panel of experts who then judge whether they could have gone all the way or not.
-1
Two siblings set sail as a crew on a yacht on the Aegean Sea. Circumstances soon change when a young documentary filmmaker comes aboard.
0
Lagos Real Fake Life is a true life comedy movie that showcases the realistic and so so fake lifestyle of some people who reside in, or even visit LAGOS. For some it’s “Stay Content and Wait” and for others its “FAKE it Till you MAKE IT”.
-2
Rajiv Kaul, a successful ad-filmmaker, is celebrating his 40th birthday. Everything is as always: friends, food, wine, music. The only thing different is the absence of his wife and kids and the presence of a beautiful stranger, Sandy. Who is she? Why does she stare at him? Do they know each other from before?  A dangerous liaison ensues and throws Rajiv’s life upside down. Nothing is what it seems and there is no one who Rajiv can trust. Neither his wife nor his best friend, but most dangerously, not even himself.  Can Rajiv undo the past and save himself from the impending doom?  A series of twisted events blurs the fine line between past, present and future. Between what’s real and what may not be…
-2
Which part of a sheep is tastiest? What's so funny about funerals? A Lebanese comic answers your burning questions!
-2
Belat, her mother Fec and adopted siblings Daks, Pepe and Junjun face the possibility of being evicted from their land as they struggle to save their carnival. Hoping to prevent the carnival from closing, they turn to Prince, a man from Belat`s past, for help. He promises to give them a hand if they first help him look for the lost princesses Rapunselya, Maulan and Ariella so they can save the magical land, Fantastica.
0
The true story of the first Marathi superstar Kashinath Ghanekar, chronicling his struggles and hardships in marriage and life to pursue his passion for acting and attain the unmatched heights of stardom in Marathi theatre and cinema.
0
Defeated by the strong yet naive Motu in a race, an evil horseback rider challenges him to a more dangerous mission: finding a lost city of treasure!
-1
Ferhat and Aslihan, who have been together for some time, want to crown their relationship with marriage. But Ferhat's being unemployed is a major obstacle to their marriage. In the meantime, Aslihan father's suffers heart attack makes the situation more complicated. Aslihan's father started to pressure his daughter to marry after the health problem.
-6
As a noted filmmaker’s infidelity becomes a media firestorm, his fractured family privately navigates the fallout of his actions for years to come.
-1
Documentary that studies the history, development, fauna and flora of the Peruvian coast.
0
Take a deep dive into the beautiful world of Japan's top male idol groups from number one producer Johnny's in this revealing docuseries.
3
Mashoto’s life in the city is a hustle. It’s a fast life in the fast city of Dar es Salaam. There’s no time to stop and Mashoto likes it this way. There’s no time to think about the people he left behind in the village.  Until silence cuts through the city racket with three words: mother has died. With those words Mashoto’s life changes forever. He returns home, to the place he abandoned, to bury his only ally.  Yet his mother has left behind a gift. Her voice, her unseen presence, a gentle whisper urging him to open his eyes and strain his ears- to learn the lessons of nature, of the earth and the roots that draw their nourishment from it.  Cast out by his father after losing the little money his mother had left, Mashoto must learn to survive from the land. He must learn to face old enemies and forge new alliances, to fight and to love. Most of all, Mashoto must discover what it is he is fighting for.
2
While in Japan, best friends Motu and Patlu have only one month to train for an epic martial arts battle against two wicked but highly skilled brothers.
1
A groom kissed in front of a wedding room with a bride who had met and fell in love for years. Both of them are on the same day of marriage, while others in the same building are married in different halls. Things do not go as expected, of course. The two weddings enter each other, the secrets emerge.
0
Shams  is an Egyptian bank employee who dreams of becoming a mother and having her own baby, but the problem is that she refuses the idea of marriage. Shams finds a solution to her dilemma when she meets a veterinarian called Bahgat.
-5
An existing relationship is threatened when a new girl catches a man's eye.
0
Extremism slices through a Tunisian family with the realization that their teenage son has become an ISIS fighter.
-1
Tammy ‘hates boys’ and will only settle for the kind of standards her father sets for her; both with the way he is and the 'knowledge' he imparts her with. Sanju is one of the men she dates, a man-child who refuses to grow up. But when both part ways on such uncertain terms, what brings them together again?
-3
Pining for his high school crush for years, a young man puts up his best efforts to move out of the friend zone until she reveals she's getting married.
0
two brothers whose lives are torn apart by the murder of their father. Match follows the different paths taken by the brothers after the death and the consequences that come from their actions.
-2
If it were up to this Mexican comedian, marriage proposals would occur in the middle of a couple's biggest argument.
0
True and her friends are making music -- and they want you to dance and sing along. So cut loose, silly goose! These fun beats are totally sweet.
0
Afronta invites contemporary black artists and thinkers to discuss representation, belonging, entrepreneurship, ancestrality and AFROFUTURISM through their experiences and personal histories. These reflections will contribute to the understanding of how the Brazilian black community is creating a network to promote the autonomy to change our reality of today, while inventing one for tomorrow.
0
Members of the comedy group Na Stojáka take the stage and the mic by storm for a special night of stand-up comedy.
0
After experiencing a tragic loss, a woman must resist a new family dynamic that could control the future of her father's company and her life.
-1
Campus bullying is a serious issue that every school try to root out. When the bullying manifests to outside of the school, who is responsible to stop it?
-3
A career-focused woman convinces a colleague to pose as her boyfriend for a family visit -- and must face a meddling mom and some unexpected feelings.
-1
This series explores the greatest empires in a way that has never been fully investigated. Each episode highlights and exposes the political intrigue, personal vendettas, family mayhem, acts of vengeance and the ever-evolving tension, turmoil and chaos that shaped these civilizations and led to their destruction from within.
-2
Set primarily in the UK's second largest city Birmingham, Mera Mahi NRI (My Beloved Non-Resident Indian) is a realistic multi- cultural comedy drama that follows the life of a student 'freshie' (a term used to describe somebody who is from the sub-continent who has recently arrived in the UK and who has very little experience of the British way of life).
2
Lara and the Beat is a coming of age movie about the young and beautiful Giwa sisters caught in the center of a financial scandal with their late parents' Media Empire. The sisters are forced out of their privileged bubble, and must learn to build their own future - through music and enterprise - to salvage their family's Legacy.
1
A newspaper seller bemoans his lack of success but is undermined by his own laziness when he gets a better job as a driver and finds his rich father.
1
Motu and friends go for an adventure filled journey to the mystical land of the dragons; where the peaceful green dragons live in fear of the fire breathing black dragons. Motu decides to train the peaceful dragons to fight.
1
A get-rich-quick scheme goes awry when a group of friends stumbles onto a dangerous conspiracy and wind up getting mistaken for the bad guys.
-5
Trained dancer Vandana Hart travels the world to learn traditional and urban dance styles from the local experts who know them best.
1
Brazilian comedian Edmilson Filho walks his audience through the stages of a modern relationship, playing up the differences between men and women.
1
A manifestation of lives of people coming from different classes and beliefs in a steamer as they set out for their journeys. Things start to get out of hand when the steamer gets stuck amidst the passage and deepest secrets and desires start to unfold.
-1
From the crocs and cops of 1960s Queensland to the blood-splattered disco floors of 1970s Melbourne, comes the hilarious and heartbreaking story of afro bearing, flare wearing DJ Monty Pryor and his brother Paul.
-1
Thailand's complicated history with marijuana continues to play a role in its policies and laws, as well as the health and security of its citizens.
0
Convinced only a miracle can save them from failing school exams, a trio of friends seek help from a magician. To their surprise, he gamely complies.
0
The film depicts a young girl who, having come from a less-privileged family, makes a habit of lying to people about her financial status.
-1
Three Palestinian siblings attempt to visit their bedridden grandfather who resides on the other side of the separation wall.
0
A woman single-handedly shoulders her family's burdens, without reward or thanks, to farm her husband's land and keep the family fed and cared for. She finds herself training her daughter to walk the same path she does. No school, all work. Pests threaten her harvest and are exterminated using a loan from the local women's Co-op. But when Manyusi squanders her prized harvest and schemes to marry off their daughter, Fatuma must enlist the help of her fellow ladies at the co-op to make things right.
0
Family, food, and love: life's three courses made easy.
2
Argentine comedian Agustín "Radagast" Aristarán adds doses of magic, music and acting to his high-energy stand-up routine.
1
This animated series showcases the fun and thrilling adventures of Little Singham, a brave kid super-cop with lion powers, as he defends his town and the world from evil villains, scary mutants and even aliens .
1
The diaspora of millions of Italian emigrants marked a strong nutritional influence of this nation on the American continent. The documentary collects the similarities and differences between the dishes adapted to the American taste and his native Italy.
1
Motu, Patlu, Ghasitaram and Jhatka are shocked when the Earth starts trembling due to the moon losing its shape and light. The king then orders his citizens to fight the destroyers of the moon.
-3
Isila, a young woman from the ghetto, that encounters a ghost called Mike in need of her assistance to communicate with the people he left behind. She becomes tangled and puzzled in solving a murder mystery.
-5
The romp revolves around a dinner party hosted by the young and vicacious Nayla to introduce Fares, the love of her life, to Silvio, her new fiancé.
1
A virtuous young woman falls head over heels for a man harbouring a secret.
0
A study in contrasts, comedy partners and good friends Coco Celis and Raúl Meneses alternate separate stand-up sets for double the laughs.
1
In Tunis lives Aya, a smart little girl, with her Salafist parents. But one day a special event disrupts the life of this family.
1
Despite living in a doomed country that hangs by a thread, Joud, a handsome sound engineer meets and falls in love with strong and free-spirited Rana. The young lovers, from completely different social and religious backgrounds, are drawn closer to each other, but a drastic turn of events gets between them and Rana suddenly slips away. As her parents forbid Joud from seeing her, the young man determined to see her again, finds new means of communicating with her by convincing Marwa, her sister, to download his voice messages and secretly play them to Rana
0
When an evil enemy gains control of a gadget that sends vehicles destructively spinning out of control, kid superhero Shiva must stop the chaos!
-2
When the residents of Vedas are ordered to evacuate by a prince who claims the town as his own, young Shiva sets out to save the city and its citizens.
0
When a busy entrepreneur pauses her career to spend time with her aging father, both learn valuable lessons on happiness, love and living in the moment.
3
Struggling actress and bourgeois lady suddenly find themselves on the streets of hyper-tense Cairo.
-1
An ambitious software entrepreneur puts everything he has in line to perceive his dreams.
1
Keshav, an astrologer, deeply values his cycle as it is his most prized possession. However, problems arise when a couple of thieves steal his bicycle.
-2
The life of Christ through the eyes of those who encountered him called The Chosen.
0
A tight-knit group of teens unearths a long-buried secret, setting off a chain of illicit events that takes them on an adventure they'll never forget.
-1
Drivers, managers and team owners live life in the fast lane -- both on and off the track -- during one cutthroat season of Formula 1 racing.
0
It is the Taisho Period in Japan. Tanjiro, a kindhearted boy who sells charcoal for a living, finds his family slaughtered by a demon. To make matters worse, his younger sister Nezuko, the sole survivor, has been transformed into a demon herself. Though devastated by this grim reality, Tanjiro resolves to become a “demon slayer” so that he can turn his sister back into a human, and kill the demon that massacred his family.
-8
In a Kentucky orphanage in the 1950s, a young girl discovers an astonishing talent for chess while struggling with addiction.
1
A hotheaded widow searching for the hit-and-run driver who mowed down her husband befriends an eccentric optimist who isn't quite what she seems.
-2
For a thousand years, the Vikings have made quite a name and reputation for themselves as the strongest families with a thirst for violence. Thorfinn, the son of one of the Vikings' greatest warriors, spends his boyhood in a battlefield enhancing his skills in his adventure to redeem his most-desired revenge after his father was murdered.
3
Nadia keeps dying and reliving her 36th birthday party. She's trapped in a surreal time loop -- and staring down the barrel of her own mortality.
-1
Geralt of Rivia, a mutated monster-hunter for hire, journeys toward his destiny in a turbulent world where people often prove more wicked than beasts.
-1
A group of bored delinquents are transported to a parallel dimension as part of a survival game.
-1
A family of former child heroes, now grown apart, must reunite to continue to protect the world.
2
When ambitious Chicago marketing exec Emily unexpectedly lands her dream job in Paris, she embraces a new life as she juggles work, friends and romance.
1
American expat Mickey Pearson has built a highly profitable marijuana empire in London. When word gets out that he’s looking to cash out of the business forever it triggers plots, schemes, bribery and blackmail in an attempt to steal his domain out from under him.
-4
Tony had a perfect life. But after his wife Lisa suddenly dies, Tony changes. After contemplating taking his own life, he decides instead to live long enough to punish the world by saying and doing whatever he likes from now on.
2
Nick and Vanessa Lachey host this social experiment where single men and women look for love and get engaged, all before meeting in person.
1

0
Wealth, lust, and betrayal set in the backdrop of Regency era England, seen through the eyes of the powerful Bridgerton family.
0
Murphy is a flawed and irreverent woman who just happens to be blind and is the only “witness” to the murder of her drug-dealing friend, Tyson. When the police dismiss her story, she sets out with her dog, Pretzel, to find the killer while also managing her colorful dating life and the job she hates at Breaking Blind — the guide-dog school owned by her overprotective parents.
-6
Inexperienced Otis channels his sex therapist mom when he teams up with rebellious Maeve to set up an underground sex therapy clinic at school.
-2
The investigation of the world’s most mysterious hot spot for UFO and “High Strangeness” phenomena with astrophysicist Dr. Travis Taylor who joins real estate tycoon Brandon Fugal, along with his team of scientists and researchers on Utah’s notorious Skinwalker Ranch. The team utilizes cutting edge technology to investigate the 512-acre property to uncover the possibly “otherworldly” perpetrators behind it all. With everything from mysterious animal deaths to hidden underground workings and possible gateways that open to other dimensions, witness the close encounters that go beyond conventional explanation, as the team risks everything to finally reveal the ultimate secret of Skinwalker Ranch.
-4
Three siblings who move into their ancestral estate after their father's gruesome murder discover their new home's magical keys, which must be used in their stand against an evil creature who wants the keys and their powers.
-2
Players start off isolated in an apartment, and with their online interactions as their only means of any communication. The players use a social media platform called "The Circle".
-1
A 10-part documentary chronicling the untold story of Michael Jordan and the Chicago Bulls dynasty with rare, never-before-seen footage and sound from the 1997-98 championship season – plus over 100 interviews with famous figures and basketball’s biggest names.
1
After waking up in a morgue, an orphaned teen discovers she now possesses superpowers as the chosen Halo-Bearer for a secret sect of demon-hunting nuns.
0
On the shores of paradise, gorgeous singles meet and mingle. But there’s a twist. To win a $100,000 grand prize, they’ll have to give up sex.
4
There is no such thing as an ordinary interaction in this offbeat sketch comedy series that features a deep roster of guest stars.
0
Return to the world of Thra, where three Gelfling discover the horrifying secret behind the Skeksis' power and set out to ignite the fires of rebellion and save their world.
-1
After seeing an ad for a midwife, a recently divorced big-city nurse moves to the redwood forests of California, where she meets an intriguing man.
1
A teenager is charged with lying about her rape allegation, but two determined investigative female detectives discover a far more sinister truth.
-4
A man stranded in the Arctic is finally about to receive his long awaited rescue. However, after a tragic accident, his opportunity is lost and he must then decide whether to remain in the relative safety of his camp or embark on a deadly trek through the unknown for potential salvation.
-4
Ottoman Sultan Mehmed II wages an epic campaign to take the Byzantine capital of Constantinople and shapes the course of history for centuries.
-1
A mysterious place, an indescribable prison, a deep hole. An unknown number of levels. Two inmates living on each level. A descending platform containing food for all of them. An inhuman fight for survival, but also an opportunity for solidarity.
-2
18 budding fashion designers compete for a $250,000 prize and the opportunity to launch a clothing line with Net-a-Porter.
1
When Jesper distinguishes himself as the Postal Academy's worst student, he is sent to Smeerensburg, a small village located on an icy island above the Arctic Circle, where grumpy inhabitants barely exchange words, let alone letters. Jesper is about to give up and abandon his duty as a postman when he meets local teacher Alva and Klaus, a mysterious carpenter who lives alone in a cabin full of handmade toys.
-3
The complicated life of a first-generation Indian-American teenage girl, inspired by Mindy Kaling's own childhood.
-1
Pennsylvania, 1956. Frank Sheeran, a war veteran of Irish origin who works as a truck driver, accidentally meets mobster Russell Bufalino. Once Frank becomes his trusted man, Bufalino sends him to Chicago with the task of helping Jimmy Hoffa, a powerful union leader related to organized crime, with whom Frank will maintain a close friendship for nearly twenty years.
2
A group of aspiring actors and filmmakers in post-World War II Hollywood try to make it big — no matter the cost.
0
A young widow asks her two best friends to help hide her late husband's stolen cache of gold from authorities — but can they be trusted to protect it?
3
Five teens from Harlem become trapped in a nightmare when they're falsely accused of a brutal attack in Central Park.
-5
American version of the British dating reality competition in which ten singles come to stay in a villa for a few weeks and have to couple up with one another. Over the course of those weeks, they face the public vote and might be eliminated from the show. Other islanders join and try to break up the couples.
-1
From the UFC Octagon in Las Vegas and the anthropology lab at Dartmouth, to a strongman gym in Berlin and the bushlands of Zimbabwe, the world is introduced to elite athletes, special ops soldiers, visionary scientists, cultural icons, and everyday heroes—each on a mission to create a seismic shift in the way we eat and live.
2
Transylvania, 1897. The blood-drinking Count Dracula is drawing his plans against Victorian London. And be warned: the dead travel fast.
-1
Two New Orleans paramedics' lives are ripped apart after they encounter a series of horrific deaths linked to a designer drug with bizarre, otherworldly effects.
-4
After an au pair’s tragic death, Henry Wingrave hires a young American nanny to care for his orphaned niece and nephew who reside at Bly Manor with the estate’s chef Owen, groundskeeper Jamie and housekeeper, Mrs. Grose. But all is not as it seems at the manor, and centuries of dark secrets of love and loss are waiting to be unearthed in this chilling tale.
-3
The teenage girls of Vestalis Academy are meticulously trained in the art of being “clean girls,” practicing the virtues of perfect femininity. But what exactly are they being trained for? Vivien intends to find out.
4
1945 London. Feef is seduced by a rogue American spy into spying on her own country. Her task? To uncover a Russian agent in the heart of the British Government.
-1
A reality show featuring glass blowers from around the world competing to be the best. One artist is dismissed after each episode/challenge.
1
Each season of this horror anthology series follows a different group of kids, members of the Midnight Society, as they discover terrifying curses and creatures.
-1
In the dark, early days of a zombie apocalypse, complete strangers band together to find the strength they need to survive and get back to loved ones.
-3
Actor Zac Efron journeys around the world with wellness expert Darin Olien in a travel show that explores healthy, sustainable ways to live.
2
After reluctantly returning to her tourist-trap hometown of Roswell, New Mexico, the daughter of undocumented immigrants discovers a shocking truth about her teenage crush who is now a police officer—he’s an alien who has kept his unearthly abilities hidden his entire life. She protects his secret as the two reconnect and begin to investigate his origins, but when a violent attack and long-standing government cover-up point to a greater alien presence on Earth, the politics of fear and hatred threaten to expose him and destroy their deepening romance.
-10
While searching for her missing mother, intrepid teen Enola Holmes uses her sleuthing skills to outsmart big brother Sherlock and help a runaway lord.
1
In this zombie thriller set in Korea's medieval Joseon dynasty which has been defeated by corruption and famine, a mysterious rumor of the king’s death spreads, as does a strange plague that renders the infected immune to death and hungry for flesh. The crown prince, fallen victim to a conspiracy, sets out on a journey to unveil the evil scheme and save his people.
-12
A Hasidic Jewish woman in Brooklyn flees to Berlin from an arranged marriage and is taken in by a group of musicians -- until her past comes calling.
-1
Four teenage girls go on a diving adventure to explore a submerged Mayan city. Once inside, their rush of excitement turns into a jolt of terror as they discover the sunken ruins are a hunting ground for deadly great white sharks. With their air supply steadily dwindling, the friends must navigate the underwater labyrinth of claustrophobic caves and eerie tunnels in search of a way out of their watery hell.
-7
A web of secrets sends family man Adam Price on a desperate quest to uncover the truth about the people closest to him.
-1
Phil's new phone comes with an unexpected feature, Jexi...an A.I. determined to keep him all to herself in a comedy about what can happen when you love your phone more than all else.
0
A group of online justice seekers track down a guy who posted a video of him killing kittens.
-1
Sydney is a teenage girl navigating the trials and tribulations of high school while dealing with the complexities of her family, her budding sexuality, and mysterious superpowers just beginning to awaken deep within her.
-1
Infographics and archival footage deliver bite-size history lessons on scientific breakthroughs, social movements and world-changing discoveries.
1
After crossing paths at a party, a Cape Town teen sets out to prove whether a private-school swimming star is her sister who was abducted at birth.
0
When a hacker begins releasing students' secrets to the entire high school, the socially isolated but observant Sofía works to uncover his/her identity.
0
Three people's fates are interwoven in the Battle of the Teutoburg Forest in 9 A.D., during which Germanic warriors halt the spread of the Roman Empire.
0
When the Sun begins to expand in such a way that it will inevitably engulf and destroy the Earth in a hundred years, united mankind finds a way to avoid extinction by propelling the planet out of the Solar System using gigantic engines, moving it to a new home located four light years away, an epic journey that will last thousands of years.
-3
A four-star general begrudgingly teams up with an eccentric scientist to get the U.S. military's newest agency — Space Force — ready for lift-off.
0
The patriarch of a wealthy and powerful family suddenly passes away, leaving his wife and daughter with a shocking secret inheritance that threatens to unravel and destroy their lives.
-1
In a brewing war between the gods of Olympus and the titans, Heron, a commoner living on the outskirts of ancient Greece, becomes mankind's best hope of surviving an evil demon army, when he discovers the secrets of his past.
-1
Three lighthouse keepers on an uninhabited island off the coast of Scotland discover something that isn't theirs to keep.
0
When the constant comments on her single status and society's expectations of the perfect family Christmas finally get to 30-year-old Johanne, she starts a 24-day hunt for a partner to bring home for Christmas.
1
On a long-awaited trip to Europe, a New York City cop and his hairdresser wife scramble to solve a baffling murder aboard a billionaire's yacht.
-3
New York City in the 1970s was ruled with a bloody fist by five mafia families, until a group of federal agents tried the unthinkable: taking them down.
-3
Applying the laws of life on Earth to the rest of the galaxy, this series blends science fact and fiction to imagine alien life on other planets.
-1
A paragliding mishap drops a South Korean heiress in North Korea -- and into the life of an army officer, who decides he will help her hide.
-1
The lives of several cheerleaders are changed forever when a shocking crime rocks their quiet suburban world.
-1
Free-spirited toucan Tuca and self-doubting song thrush Bertie are best friends -- and birds -- who guide each other through life's ups and downs.
1
Matchmaker Sima Taparia guides clients in the U.S. and India in the arranged marriage process, offering an inside look at the custom in a modern era.
1
Memo lives on a remote Chilean sheep farm, hiding a beautiful singing voice from the outside world. A recluse with a glittery flair, he can't stop dwelling on the past, but what will happen once someone finally listens?
0
The lives of two different families collide when their children begin a relationship that leads to a tragic accident.
0
Captain Man has a new crew of superhero sidekicks - Danger Force. Captain Man and Schwoz create a fake school to train the kids to harness their uncontrollable superpowers to fight crime.
-3
Seven singles take their first steps into the world of dating; this uplifting four-part documentary follows young adults on the autism spectrum as they explore the unpredictable world of love and relationships.
1
Decades ago, a hero from the stars left this world in peace. Now, the son of Ultraman must rise to protect the Earth from a new alien threat.
2
Struggling to make ends meet, former special ops soldiers reunite for a high-stakes heist: stealing $75 million from a South American drug lord.
-2
As Delhi reels in the aftermath of a gang rape, DCP Vartika Chaturvedi leads a painstaking search for the culprits. Based on the 2012 Nirbhaya case.
-1
During the period of martial law in 1960s Taiwan, some teachers and students from Cui Hua High School were arrested for possessing banned books. A female student fell to her death and rumors spread of a ghost haunting the campus. Thirty years later, the draconian culture of the school remains unchanged as a new transfer student uncovers the dark secrets behind the school’s haunting.
-7
The elite real estate brokers at The Oppenheim Group sell the luxe life to affluent buyers in LA. The drama ramps up when a new agent joins the team.
2
Married Alma spends a fateful weekend away from home that ignites passion, ends in tragedy and leads her to question the truth about those close to her.
0
A stage director and an actress struggle through a grueling, coast-to-coast divorce that pushes them to their personal extremes.
-1
Follow recently graduated police officer Kurt Wallander as he investigates his first case.
0
Amid turmoil in his career and marriage, comedian and film star Kevin Hart opens up about his personal breakthroughs as he navigates crises and fame.
0
A rebellious teenage boy, struggling with his parent's imminent divorce, encounters a terrifying evil after his next-door neighbor becomes possessed by an ancient witch that feasts on children.
-3
While hunting for a dating-site predator, an underused cop discovers a husband and wife with a horrific secret — and a web of conspiracy hiding it.
-2
The doomed passengers aboard a spectral bus head toward a gruesome, unknown destination in this deliciously macabre horror anthology series.
-4
Follows the world of an elite ballet academy, and charts the rise and fall of young adults who live far from their homes, each standing on the verge of greatness or ruin.
0
As a cultivation genius who has achieved a new realm every two years since he was a year old, Wang Ling is a near-invincible existence with prowess far beyond his control. But now that he’s sixteen, he faces his greatest battle yet – Senior High School. With one challenge after another popping up, his plans for a low-key high school life seem further and further away…
3
Six teens attending an adventure camp on the opposite side of Isla Nublar must band together to survive when dinosaurs wreak havoc on the island.
-2
A down-and-out DJ plots to rebuild his music career while working as a nanny for his famous best friend's wild 11-year-old daughter.
0
Two sisters discover disturbing family secrets after a string of mysterious deaths occur on a luxury ship traveling from Spain to Brazil in the 1940s.
-2
Nothing is as it seems when a woman experiencing misgivings about her new boyfriend joins him on a road trip to meet his parents at their remote farm.
-1
Traversing trippy worlds inside his universe simulator, Clancy the space caster explores existential questions about life, death and everything in between.
-1
An immersive, behind-the-headlines account of the historically turbulent events surrounding the 2016 presidential election and its aftermath, which divided a nation. This two-part biopic tells the story of two powerful figures, Comey and Trump, whose strikingly different personalities, ethics and loyalties put them on a collision course.
3
As humans turn into savage monsters and wreak terror, one troubled teen and his apartment neighbors fight to survive — and to hold on to their humanity.
-5
In the modern age, Jang Bong-hwan is a chef who works for the country's top politicians at the Blue House. He has a free spirit, but he one day finds himself in the body of Queen Cheorin in the Joseon period.
4
Living his best life in post-apocalyptic LA, a slacker strives to find the girl of his dreams while outwitting mindless ghouls and cliquish gangs.
0
Oh Hyun-jin is the youngest executive at her company. She gives birth to a baby and stays at a postnatal care center. She is the oldest guest at the center for mothers and their newborn babies. While staying there, she meets other women, including Jo Eun-jeong, and they grow together as adults.
0
Havana, Cuba, 1990. René González, an airplane pilot, unexpectedly flees the country, leaving behind his wife Olga and his daughter Irma, and begins a new life in Miami, where he becomes a member of an anti-Castro organization.
-2
On the run from the police, an Arizona man crosses into Mexico and gets deeply involved in drug trafficking, with the help of modern technology.
1
After a disastrous set-up by their families, two teens strike up a tentative friendship at their summer program - but deeper feelings aren't far behind.
-4
A paranormal researcher searches obsessively for a cursed home where something terrible happened to a mother and her child long ago.
-3
When the sun suddenly starts killing everything in its path, passengers on an overnight flight from Brussels attempt to survive by any means necessary.
-1
Hubie Dubois, despite his devotion to his hometown of Salem, Massachusetts (and its legendary Halloween celebration), is a figure of mockery for kids and adults alike. But this year, something really is going bump in the night, and it’s up to Hubie to save Halloween.
0
A remote village becomes the arena of a breathless battle when an undead East India Company officer and his battalion of zombie redcoats attack a squad of modern-day soldiers.
-2
This nature series’ new technology lifts night’s veil to reveal the hidden lives of the world’s creatures, from lions on the hunt to bats on the wing.
0
When the four Willoughby children are abandoned by their selfish parents, they must learn how to adapt their Old-Fashioned values to the contemporary world in order to create something new: The Modern Family.
0
During a holiday stay at a hotel resort, a flight attendant encounters a wealthy, mysterious man with two different personas.
0
A boy’s brutal murder and the public trials of his guardians and social workers prompt questions about the system’s protection of vulnerable children.
-1
Allegations of child sexual abuse in Spain's Catholic institutions are examined in interviews with survivors, clergy, journalists and other experts.
-1
Fast-living comic Bert Kreischer heads to a cabin for some self-care and invites his funny friends to join his quest to cleanse his mind, body and soul.
-1
A drama about a secret agent who fights crime while dealing with crises in her personal life.
-2
The Masire brothers rule Johannesburg's criminal underworld, but a supernatural family curse and a tangled web of betrayal threaten to destroy them.
-6
Paul Copeland is looking to solve the murder of his sister back in 1994.
-1
In the wake of his dramatic escape from captivity, Jesse Pinkman must come to terms with his past in order to forge some kind of future.
0
The stakes on the mat are high, but for these cheerleaders, the only thing more brutal than their workouts and more exceptional than their performances are the stories of adversity and triumph behind the athletes themselves.
0
A foul-mouthed high school basketball coach is sure he'll hit the big leagues if he can only turn his terrible team around. Good luck with that.
1
Jerry Seinfeld takes the stage in New York and tackles talking vs. texting, bad buffets vs. so-called "great" restaurants and the magic of Pop Tarts.
1
Desperate and confused, Alicia will do the impossible to keep her son from prison after he's convicted of trying to murder his ex-wife.
-5
Confronted with the apparent darkness of the world, three people search for meaning, love and kindness in the capital of Europe.
1
"Roastmaster General" Jeff Ross and a slew of guest stars poke fun at major historical figures while also honoring their enduring impact on the world.
2
Undercover agents infiltrate a drug kingpin's operation by posing as a couple at the campground where he spends his weekends. Inspired by real events.
0
The history and current standing of the Paralympic Games, which has grown to become the world's third largest sporting event.
0
In the forgotten margins of the segregated communities of a dystopian future, a woman searches for the daughter that she lost upon her arrest years ago.
-1
A man gets caught in Colombian customs with drugs, his goal is to end up in prison to contact who kidnapped his daughter years ago.
-1
In a small town on Christmas Eve, a snowstorm brings together a group of young people. They soon find their friendships and love lives colliding, and come Christmas morning, nothing will be the same.
1
Follow the Indianapolis Star reporters that broke the story about USA Gymnastics doctor Larry Nassar's abuse and hear from gymnasts.
-2
An enigmatic translator with a dark past is brought in for questioning after an ex-pat friend, who came between her and her photographer boyfriend, ends up missing and presumed dead.
-2
In a Luxembourg village where everyone is keeping secrets, gruff police inspector Luc Capitani investigates the suspicious death of a 15-year-old girl.
-3
An undercover assignment to expose a drug ring becomes a timid Mumbai constable's road to empowerment as she realizes her dormant sexuality's potential.
0
From the biology of attraction to the history of birth control, explore the ins and outs of sex in this entertaining and enlightening series.
2
Leading with curiosity and keeping it real, Gwyneth Paltrow and her goop team look at psychedelics, energy work and other challenging wellness topics.
1
A police detective who loses everything to a criminal organization seeks payback when he gains special abilities through biotechnology.
-2
Explore the quirkiest, most charming, and oddly inspirational competitions you never knew existed, and the determined, passionate, and incredibly skilled competitors who put it all on the line to become heroes in their own extraordinary worlds.
6
Surrounded by a forest and a gated entrance, the Grace Field House is inhabited by orphans happily living together as one big family, looked after by their "Mama," Isabella. Although they are required to take tests daily, the children are free to spend their time as they see fit, usually playing outside, as long as they do not venture too far from the orphanage — a rule they are expected to follow no matter what. However, all good times must come to an end, as every few months, a child is adopted and sent to live with their new family... never to be heard from again.

However, the three oldest siblings have their suspicions about what is actually happening at the orphanage, and they are about to discover the cruel fate that awaits the children living at Grace Field, including the twisted nature of their beloved Mama.
2
After making a harrowing escape from war-torn South Sudan, a young refugee couple struggle to adjust to their new life in a small English town that has an unspeakable evil lurking beneath the surface.
-4
Katherine's a single mom juggling her career, her tween daughter, her relationship with her boyfriend — and pondering getting pregnant with her ex.
0
A New York City grad student moonlighting as a dominatrix enlists her gay BFF from high school to be her assistant.
0
Two American physicians in São Paulo, Brazil, discover a civilization-threatening virus and are recruited as government agents in a race against time and around the world to find a cure and uncover a dark conspiracy.
-2
Two seasoned drug dealers return to the gritty street of London, but their pursuit of money and power is threatened by a young and ruthless hustler.
-2
A painter in Istanbul embarks on a personal journey as she unearths universal secrets about an Anatolian archaeological site and its link to her past.
0
Two years after defeating a satanic cult led by his babysitter Bee, Cole's trying to forget his past and focus on surviving high school. But when old enemies unexpectedly return, Cole will once again have to outsmart the forces of evil.
0
Sheds light on an alternative approach to farming called “regenerative agriculture” that could balance our climate, replenish our vast water supplies, and feed the world.
0
A literature teacher suspects that a well-respected surgeon has drugged her and begins a legal case against him.
-1
The true-life story of Brazilian TV host Wallace Souza, who was accused of literally killing for ratings, and using his crime TV show to cover up the grizzly truth.
-2
A strong-willed patriarch must balance the demands of his complicated family with the stress of the Christmas season when his youngest daughter comes home for the holidays with a new boyfriend.
-2
A widowed single mom discovers that her son has super powers and tries to figure out how to raise him safely and responsibly.
3
A man reflects on the lost love of his youth and his long-ago journey from Taiwan to America as he begins to reconnect with his estranged daughter.
-1
Part documentary, part concert film, part fever dream, this film captures the troubled spirit of America in 1975 and the joyous music that Dylan performed during the fall of that year.
-2
A man trying to get home to his dog gets stuck in a time loop that forces him to relive a deadly run-in with a cop.
-2
Twelve-year-old identical twins Dru and Kal discover that the government is secretly tracking and manipulating Australia's youth via electronic tracking devices.
0
This April, meet Mr. Link: 8 feet tall, 630 lbs, and covered in fur, but don’t let his appearance fool you… he is funny, sweet, and adorably literal, making him the world’s most lovable legend at the heart of Missing Link, the globe-trotting family adventure from LAIKA. Tired of living a solitary life in the Pacific Northwest, Mr. Link recruits fearless explorer Sir Lionel Frost to guide him on a journey to find his long-lost relatives in the fabled valley of Shangri-La. Along with adventurer Adelina Fortnight, our fearless trio of explorers encounter more than their fair share of peril as they travel to the far reaches of the world to help their new friend. Through it all, the three learn that sometimes you can find a family in the places you least expect.
0
After 20 years in space, Rocko returns to a technologically advanced O-Town and makes it his mission to get his favorite show back on the air.
2
Haunted by a tragic loss, an ex-cop with a rare inability to feel pain strikes out on his own to catch offenders who've eluded Johannesburg police.
-6
Coaches with championship résumés share their personal rules for success in sports and life in this reflective and inspiring documentary series.
2
In a colorful Seoul neighborhood, an ex-con and his friends fight a mighty foe to make their ambitious dreams for their street bar a reality.
2
What’s controlling the town on Block Island? There’s a force lurking off the coast and the wildlife and people are all behaving strangely.
-2
After years of swimming every day in the freezing ocean at the tip of Africa, Craig Foster meets an unlikely teacher: a young octopus who displays remarkable curiosity. Visiting her den and tracking her movements for months on end he eventually wins the animal’s trust and they develop a never-before-seen bond between human and wild animal.
0
Celebrated as one of the greatest R&B singers of all time, R. Kelly’s genre defining career and playboy lifestyle has been riddled with rumors of abuse, predatory behavior, and pedophilia. Despite damning evidence and multiple witnesses, to date, none of these accusations have seemingly affected him. For the first time ever, survivors and people from R. Kelly’s inner circle, are coming forward with new allegations about his sexual, mental, and physical abuse. They are now finally ready to share their full story and shed light on the secret life the public has never seen.
-3
The true story of British intelligence whistleblower Katharine Gun who—prior to the 2003 Iraq invasion—leaked a top-secret NSA memo exposing a joint US-UK illegal spying operation against members of the UN Security Council. The memo proposed blackmailing member states into voting for war.
0
Heinous criminals have avoided capture despite massive rewards and global investigations. This docuseries profiles some of the world’s most wanted.
-1
Lifelong friends Maddie, Helen and Dana Sue lift each other as they juggle relationships, family and careers in the small, Southern town of Serenity.
0
With this inventive portrait, director Kirsten Johnson seeks a way to keep her 86-year-old father alive forever. Utilizing moviemaking magic and her family’s dark humor, she celebrates Dr. Dick Johnson’s last years by staging fantasies of death and beyond. Together, dad and daughter confront the great inevitability awaiting us all.
0
Charged as a teen in the 1993 killing of a Boston cop, Sean K. Ellis fights to prove his innocence while exposing police corruption and systemic racism.
-3
A panicked young woman and her two best friends fly to Mexico to delete a ranting email she sent to her new boyfriend. On arrival, they run into her former beau, who soon gets caught up in their frantic scheme.
-2
When an accident leaves a young boy in a coma, his parent's love is put to the test as they resort to a dangerous plan to save him.
0
Three gutsy kids from a rapidly gentrifying Bronx neighborhood stumble upon a sinister plot to suck all the life from their beloved community.
-2
Young trainer Ash and his new friend Goh become research fellows at Professor Cerise's laboratory, traveling all over the world to learn about Pokémon.
0
An explosion at the National Assembly kills everyone in the cabinet, leaving Park Mu-jin, the Minister of Environment, to become the next president. Park Mu-jin is a scientist-turned-politician who has no ambitions in politics, but as the acting president for 60 days, he is compelled to investigate the truth behind the attack. Based on the popular American series, Designated Survivor.
0
A grounded, soulful, celebratory comedy about three mothers and their adult sons. The film explores the stage after motherhood, Otherhood, when you have to redefine your relationship with your children, friends, spouse, and most importantly, yourself.
2
Down-and-out musician Bastian battles the blues as he returns home for Christmas and encounters a series of not-so-cheery surprises.
0
A married consultant and a young IT tech kick off a flirty game that challenges societal norms — and leads them to re-evaluate their entire lives.
0
The unexpected and gruesome death of a student threatens the existence of an old Catholic school for girls. Pat Consolacion, the school guidance counselor, involves herself with the students in the hopes of helping them cope, and at the same time uncover the mysteries of the student’s death. Most students suspect of the strict and borderline abusive Mother Alice, who also threatened Pat’s tenure in the school because of her continuous meddling with the case. But Pat’s unusual talents lead her to knowing Eri, a former student who's been watching the whole school for years. Piece by piece, Pat uncovers the secret of the school and the monster that it nurtured for the past century.
-6
The show will explore the facts behind the world's most fascinating, strange and inexplicable mysteries.
-1
This mockumentary series follows the peculiar lives of six eccentric -- and sometimes obscene -- misfits who march to their own beat.
-4
An agoraphobic woman living alone in New York begins spying on her new neighbors only to witness a disturbing act of violence.
-1
When a novelist realizes her terrifying stories are coming true, she returns to her hometown to face the demons from her past that inspire her writing.
0
Ethan sets out to vanquish the Dragon that took his heart, but with every demon he battles, the more he loses his humanity.
-2
Little animals embark on big adventures across the U.S. in a dramatic nature series that explores their hidden worlds and epic survival stories.
1
This investigative docuseries explores the greed, fraud, and corruption that built up - and ultimately brought down - India's most infamous tycoons.
-4
Two siblings who discover their seemingly normal mom is a former thief in witness protection. Mom is forced to pull one last job, and the kids team up to rescue her over the course of an action-packed night.
1
As Helena gains the trust and love of a dangerous heroin cartel leader in Barcelona, she develops the skills she needs to eventually seize his empire.
3
While superheroes have assimilated into Parisian society, a new drug gives super powers to mere mortals.
1
Jodi, the tallest girl in her high school, has always felt uncomfortable in her own skin. But after years of slouching, being made fun of, and avoiding attention at all costs, Jodi finally decides to find the confidence to stand tall.
1
When city girl Gabriela spontaneously enters a contest and wins a rustic New Zealand inn, she teams up with bighearted contractor Jake Taylor to fix and flip it.
1
In this anime visual album, a mysterious driver heads deep into a postapocalyptic hellscape toward a ferocious showdown with two monstrous opponents.
-4
Comedy trio Aunty Donna showcase their uniquely absurd and offbeat style through an array of sketches, songs and eclectic characters.
-1
The plot is set in Mumbai, a city of dream and land of opportunities. The psychological crime thriller showcases an intriguing chase between a serial killer with a distinctive fetish and CBI officer named Gulshan. In the serial killer's point of view, the film explores the fugitive's darkest desire for momentary pleasure.
-2
A zombie apocalypse that imprisons participants and producers of a reality show called Olimpo, The House of the Gods. The studio becomes a shelter for those who seek salvation in Rio de Janeiro where chaos and hopelessness begin to rule.
-4
While traveling across the country in a run-down RV, drag queen Ruby Red discovers an unlikely sidekick in AJ: a tough-talking 10-year-old stowaway.
-3
In this interactive series, you'll make key decisions to help Bear Grylls survive, thrive and complete missions in the harshest environments on Earth.
1
After an attack renders her blind, Ellen Ashland withdraws from the world to recover. But soon she plunges into paranoia, unable to convince anyone that her assailant has returned to terrorize her by hiding in plain sight.
-4
Driving cross-country, Ray and his wife and daughter stop at a highway rest area where his daughter falls and breaks her arm. After a frantic rush to the hospital and a clash with the check-in nurse, Ray is finally able to get her to a doctor. While the wife and daughter go downstairs for an MRI, Ray, exhausted, passes out in a chair in the lobby. Upon waking up, they have no record or knowledge of Ray's family ever being checked in.
-5
This investigative docuseries shows how negligence and deceit in the production and marketing of popular consumer items can result in dire outcomes.
-2
When ordered to serve a year in rehab, actress Candy hires her on-set stand-in to take her place. The unassuming woman flips the script and steals her identity, career and boyfriend in this hilarious comedy about trading places.
0
Bird watchers on both sides of the U.S.-Mexico border share their enthusiasm for protecting and preserving some of the world's most beautiful species.
2
In this funny and provocative series, rapper and activists Killer Mike puts his revolutionary ideas about achieving social change into action.
-2
American astronaut Emma Green must leave her husband and teenage daughter behind to command an international space crew embarking upon a treacherous mission. A series about hope, humanity and how we need one another if we are to achieve impossible things.
-2
When Lee Jeong-in and Yu Ji-ho meet, something unexpected happens. Or it just may be that spring is in the air -- and anything is possible.
-1
A small time delinquent, turned police mechanic for a go fast task force, is forced to defend his innocence when his mentor is killed by dirty cops.
-2
Two cops with very different methods, solving mysterious murder cases surrounded by black magic.
-1
This intimate, in-depth look at Beyoncé's celebrated 2018 Coachella performance reveals the emotional road from creative concept to cultural movement.
3
The stories of overworked prosecutors's daily lives in Seoul. A drama depicting the mundane daily routine of overworked prosecutors staying up all night to tackle all the different cases handed over by the police.
-1
After losing her waitressing job, Katie Franklin takes a job as a caretaker to a wealthy elderly man in his sprawling, empty Chicago estate. The two grow close, but when he unexpectedly passes away and names Katie as his sole heir, she and her husband Adam are pulled into a complex web of lies, deception, and murder. If she's going to survive, Katie will have to question everyone's motives — even the people she loves.
-4
In the aftermath of a nuclear disaster, a starving family find hope in a charismatic hotel owner. Lured by the prospect of a free dinner, they discover that the evening's entertainment blurs the lines between performance and reality. Will they wind up the spectators or the spectacle?
0
Celebrities recall their most mind-bending trips via animations, reenactments and more in this comedic documentary exploring the story of psychedelics.
0
Get inspired as musicians dig deep into the creative process of songwriting and reveal their intimate thoughts in a series based on the hit podcast.
2
After a mysterious woman saves her daughter from a deadly snakebite, a single mother must repay the debt by killing a stranger before sundown.
-5
In the sequel to 2018's THE KISSING BOOTH, high school senior Elle juggles a long-distance relationship with her dreamy boyfriend Noah, college applications, and a new friendship with a handsome classmate that could change everything.
1
Fifty years have passed since mankind began migrating to the new frontier: Mars. It's an age where most culture is produced by AI, and people are content to be passive consumers.  There's a girl. Scrapping a living in the metropolis of Alba City, she's working part time while trying to become a musician. She's always felt like something is missing. Her name is Carole.There's a girl. Born to a wealthy family in the provincial town of Herschel City, she dreams of becoming a musician, but nobody around her understands. She feels like the loneliest person in the world. Her name is Tuesday.

A chance meeting brings them together. They want to sing. They want to make music. Together, they feel like they just might have a chance. The two of them may only create a tiny wave. But that wave will eventually grow into something larger...
2
7 girls at Rainbow High must face challenges and learn to flaunt their true colors.
-1
Expert home organizers Clea and Joanna help celebrities and everyday clients edit, categorize and contain their clutter to create stunning spaces.
1
The documentary takes a detailed look at the disappearance of 3-year-old Madeleine McCann, who vanished while on holiday with her family.
0
Comedian Bill Burr talks male feminists, outrage culture, robot sex, and cultural appropriation in this standup comedy special shot in London.
-1
As Mexican-American Tejano singer Selena comes of age and realizes her dreams, she and her family make tough choices to hold on to love and music.
2
Max McLaughlin is an American cop who arrives in Berlin in the summer of 1946 to help create a police force in the chaotic aftermath of the war.
-1
An aspiring music journalist lands her dream job and is about to move to San Francisco when her boyfriend of nine years decides to call it quits. To nurse her broken heart, she and her two best friends spend one outrageous last adventure in New York City.
-1
Two couples rent a vacation home for what should be a celebratory weekend get-away.
1
After moving to a retirement home, restless talent manager Al reconnects with long-ago client Buddy and coaxes him back out on the comedy circuit.
0
Harrowing and hilarious tests await the brave and foolhardy, as well as the judges, in this comedy game show. If they flinch, they feel the pain.
1
When an alien with amazing powers crash-lands near Mossy Bottom Farm, Shaun the Sheep goes on a mission to shepherd the intergalactic visitor home before a sinister organization can capture her.
0
A raw and emotionally revealing look at one of the most iconic artists of our time during a transformational period in her life as she learns to embrace her role not only as a songwriter and performer, but as a woman harnessing the full power of her voice.
0
Massimo is a member of the Sicilian Mafia family and Laura is a sales director. She does not expect that on a trip to Sicily trying to save her relationship, Massimo will kidnap her and give her 365 days to fall in love with him.
0
This docuseries traces the history of classic video games, featuring insights from the innovators who brought these worlds and characters to life.
1
After hearing a child screaming for help from the green depths of a vast field of tall grass, Becky, a pregnant woman, and Cal, her brother, park their car near a mysterious abandoned church and recklessly enter the field, discovering that they are not alone and because of some reason they are unable of escaping a completely inextricable vegetable labyrinth.
-4
When illness strikes two people who are polar opposites, life and death bring them together in surprising ways.
-3
A detective from Tokyo scours London for his missing brother, who's been involved with the Yakuza and accused of murder.
-1
What is anime? Through deep-dives with notable masterminds of this electrifying genre, this fast-paced documentary seeks to find the answers.
1
Hiding a twisted past, a man maintains his facade as the perfect husband to his detective wife — until she begins investigating a series of murders.
-1
When Shibuya time-warps to 2388, high schooler Daisuke and his friends are conscripted by AHRV agent Milo to fight the hostile cyborg race, revisions.
-1
Host Felipe Castanhari explores science, history, mysteries and marvels, uncovering mind-blowing facts with help from his lab buddies.
1
Following the death of her mother, a young woman returns home to Niagara Falls and becomes entangled in the memory of a kidnapping she claims to have witnessed as a child.
-2
Based on a true story from 1998, five Latino and Black teenagers from the toughest underserved ghetto in Miami fight their way into the National Chess Championship under the guidance of their unconventional but inspirational teacher.
2
Merlin’s apprentice joins Arcadia’s heroes on a time-bending adventure in Camelot, where conflict is brewing between the human, troll and magical worlds.
1
A gifted but insecure woman is in for a transformative experience when she enlists the help of an enigmatic con artist to recover her stolen car
0
Unable to face his new reality in a wheelchair, Ángel develops a deadly obsession with the woman who left him and unleashes a sinister revenge plot.
-4
Henry Lee Lucas rose to infamy when he confessed to hundreds of unsolved murders. This docuseries examines the truth -- and horrifying consequences.
-3
The true story of one of the bloodiest battles of World War II.
0
Kat Baker is an up-and-coming, high-level single skater who is about to turn in her skates after a disastrous fall. When Kat seizes an opportunity to continue her career as a pair skater with a talented bad-boy partner, she risks exposing a fiercely kept secret that could unravel her entire life.
-3
The story revolves around Kaiman, who does not remember who he was before he was transfigured by a Magic user. This transformation left him with a reptile's head, and a desire to find out the truth about who he really is. Accompanied by Nikaido, his female companion, he tracks down Magic Users in "The Hole" and unceremoniously chomps down on their head, hoping to find out who it was that put him in this state. One by one, they witness this "second man" inside the head of Kaiman, and after pulling them back out of his mouth he asks them all a question.
2
After a global financial crisis, the world is engulfed in an AI-driven "sustainable war." It's up to Section 9 to counter new forms of cyber threats.
-1
A blue-collar baker strikes up a relationship with an international superstar. US version of the Israeli romantic comedy series 'The Baker and the Beauty'.
1
Graboids are illegally taken to a new island resort by a rich playboy as a dangerous form of trophy hunting, and Burt Gummer steps up to save the day.
0
Father-to-be Alan is shocked to learn that he was born a sextuplet. He and his newfound brother Russell set out on a hilarious journey to reunite with their other long-lost siblings.
0
At a high school in a rural, isolated ranching community, families panic when teens contract a mysterious "kissing disease" that quickly spreads.
-3
A team of Navy Seals investigates a mysterious science outpost only to have to combat a squad of powerful alien soldiers.
0
To find Joseba, a dying friend, and see him reunite with his daughter Ely, two old friends, Jean Pierre and Tocho, embark with her on a road trip through the Sahara desert, from Spain to Mali.
-2
Ten pairs of florists, sculptors and garden designers face off in a friendly floral fight to see who can build the biggest, boldest garden sculptures.
1
In the beginning of WWII, with Britain becoming desperate, Churchill orders his new spy agency - SOE - to recruit and train women as spies.
-1
Leveraging his ability to withstand pain, a young man trains to follow in the footsteps of his martial arts hero.
0
A hero policeman shunted to a punishment posting as the Dean of the police academy decides to punish the corrupt bureaucracy and its criminal allies in return by training five lethal assassin policemen.
-4
When a prominent politician is murdered, the intrepid journalists of Frente Tijuana risk their lives to uncover the truth.
0
John Shepherd spent 30 years trying to contact extraterrestrials by broadcasting music millions of miles into space. After giving up the search, he makes a different connection here on earth.
0
The birth of a music label and three characters fighting for their dreams inside the complex inside the music industry.
-1
A story about a funeral eulogy speaker who loses faith in her work and tries to sabotage her husband's funeral.
0
Science journalist Latif Nasser investigates the surprising and intricate ways in which we are connected to each other, the world and the universe.
1
Famous comedian Gad Elmaleh moves to LA to reconnect with his son and must learn to live without the celebrity perks he's accustomed to in France.
1
While crafting his Grammy-nominated album "Astroworld," Travis Scott juggles controversy, fatherhood and career highs in this intimate documentary.
0
After having a chance encounter with a mysterious character, Wendy, a young working class mother, discovers that she has super powers.
0
A thrilling story revolving around a policeman who becomes embroiled in a conspiracy plaguing the high-ranking officials due to an incident that almost cost him his life.
-1
A child bride grows up to be an enigmatic woman presiding over her household, harboring a painful past as supernatural murders of men plague her village.
-4
After a massive alien artifact lands on Earth, Niko Breckinridge leads an interstellar mission to track down its source and make first contact.
1
In this fresh take on the Arthurian legend, teenager Nimue joins forces with mercenary Arthur on a quest to find Merlin and deliver an ancient sword.
1
An agoraphobic hip-hop prodigy and a disgraced former music manager cross paths in Chicago’s South Side and help each other face demons of their pasts.
-1
In Lincoln City, some inhabitants have extraordinary abilities. Most live below the poverty line, under the close surveillance of a heavily militarized police force. Connor, a construction worker with powers, involves with a criminal gang to help his ailing mother. (Based on the short film “Code 8,” 2016.)
-2
Self-doubt, sacrifice and struggle converge into an existential crisis for a devoted classical vocalist as the mastery he strives for remains elusive.
-1
A group of supernatural demon hunters known as "Counters," each with unique abilities, disguise themselves as employees of a noodle restaurant, while tracking down evil spirits that terrorize the mortal world.
-3
Kate Pierce is reluctantly spending Christmas with her mom’s new boyfriend and his son Jack. But when the North Pole and Christmas are threatened to be destroyed, Kate and Jack are unexpectedly pulled into a new adventure with Santa Claus.
-2
Set in the 1960s; Paranormal follows the adventures of Dr. Refaat Ismail, a professor of hematology, as he comes up against various supernatural events with the help of his Scottish old flame, Maggie.
0
Follows the life of Clarence Avant, the ultimate, uncensored mentor and behind-the-scenes rainmaker in music, film, TV and politics.
0
A newly engaged couple finds the home of their dreams and it quickly becomes a nightmare when the previous owner's friend continues squatting in their guest house. It leads to a turf war that ultimately ruins their house, their marriage and their lives.
-1
Frustrated with the direction of the church, Cardinal Bergoglio requests permission to retire in 2012 from Pope Benedict. Instead, facing scandal and self-doubt, the introspective Pope Benedict summons his harshest critic and future successor to Rome to reveal a secret that would shake the foundations of the Catholic Church.
-4
"No One Will Ever Know" - An anodyne environment and a perennial lack of affection, push Lucia and Braulio to turn in the fiction world; to materialize their dreams. Neither inclement reality can stop them.
-2
Amy Schumer's live stand-up set performed in Chicago where she jokes about marriage, pregnancy and personal growth.
-1
A pair of debt collectors are thrust into an explosively dangerous situation, chasing down various lowlifes while also evading a vengeful kingpin.
-3
An exploration of different personas in an eclectic collection of four works by critically acclaimed Korean directors.
2
A polish gangster discovers the senselessness of his life.
-1
In a cutthroat world where the life you’re born into decides your success, three aspiring youths are determined to change that perception as they fight for their dreams.
0
Teenage streamer Cairo is caught off guard when he receives a video call from a new online rival called Gavreel. He is even more surprised when the handsome stranger asks him out.

Can two gamers make romance work during the COVID-19 pandemic lockdown, or will it be game over for their love story?
1
A group of teenagers gets unintentionally involved in a conflict between Japanese Shinto ghosts and Brazilian witchcraft.
-1
A small Norwegian town experiencing warm winters and violent downpours seems to be headed for Ragnarok -- unless someone intervenes in time.
0
An unexpected friendship forms when three teenage girls meet in Shoplifters Anonymous.
-1
Twelve ordinary people are called for jury duty for a murder case as traumatizing as it is controversial in which a woman stands trial for killing her own blood.
-3
For five years, from 1975 to 1980, the Yorkshire Ripper murders cast a dark shadow over the lives of women in the North of England. 13 women were dead and the police seemed incapable of catching the killer. No one felt safe – and every man was a suspect.
-5
Two small-town aspiring musicians chase their pop star dreams at a global music competition, where high stakes, scheming rivals and onstage mishaps test their bond.
-2
A 1950s housewife goes to Rio de Janeiro to meet up with her husband, only to learn he's deserted her, but decides to stay and open a bossa nova club.
0
These former sports superstars were record-breaking Olympians; but on the soccer field, they’re all just middle-aged dads trying to do their best.
1
Three friends in a low-income neighborhood find humor and hope in their lives as they grapple with bad boyfriends and their dysfunctional families.
-1
After joining forces with a veteran bounty hunter, sixteen-year-old fraternal twin sisters Sterling and Blair dive into the world of bail skipping baddies while still navigating the high stakes of teenage love and sex.
1
Police officer Pipa works on her first big case while simultaneously investigating her boss, who is suspected of murder. The prequel to "Perdida".
0
ZIM discovers his almighty leaders never had any intention of coming to Earth and he loses confidence in himself for the first time in his life, which is the big break his human nemesis, Dib has been waiting for.
-2
Tyler Rake, a fearless black market mercenary, embarks on the most deadly extraction of his career when he's enlisted to rescue the kidnapped son of an imprisoned international crime lord.
-1
Connected by phone in the same home but 20 years apart, a serial killer puts another woman’s past — and life — on the line to change her own fate.
-1
After 20 years, Ana María returns to Mexico and vies for control of her family's tequila empire as it threatens to crumble under corruption and secrets.
-2
An unlikely friendship between two neighbors becomes an unexpectedly emotional journey when the younger man is diagnosed with terminal cancer.
-3
A series of colorized archive footage of important events during World War II.
1
A group of women are suspected of witchcraft in 17th century Italy.
0
Love Alarm is an app that tells you if someone within a 10-meter radius has a crush on you. It quickly becomes a social phenomenon. While everyone talks about it and uses it to test their love and popularity, Jojo is one of the few people who have yet to download the app. However, she soon faces a love triangle situation between Sun-oh whom she starts to have feelings for, and Hye-young, who has had a huge crush on her.
0
In this documentary, Chelsea Handler explores how white privilege impacts US culture – and the ways it’s benefited her own life and career.
1
Jesse Freeman is a former special forces officer and explosives expert now working a regular job as a security guard in a state-of-the-art basketball arena. Trouble erupts when a tech-savvy cadre of terrorists kidnap the team's owner and Jesse's daughter during opening night. Facing a ticking clock and impossible odds, it's up to Jesse to not only save them but also a full house of fans in this highly charged action thriller.
-2
The work of billionaire tech CEO Donovan Chalmers is so valuable that he hires mercenaries to protect it, and a terrorist group kidnaps his daughter just to get it.
3
Following the death of his wife, Ip Man travels to San Francisco to ease tensions between the local kung fu masters and his star student, Bruce Lee, while searching for a better future for his son.
1
Mexico City, November 1901. The police raid a private home where a secret party is being held. Among those attending is the son-in-law of President Porfirio Díaz.
0
On their last night together, four longtime flatmates' lives are suddenly upended when a secret is revealed during the course of an evening celebration.
1
A sawmill owner and his teenage daughter become tangled in a deadly feud when a drug dealer stashes stolen cocaine on their remote property.
-3
Teams compete to navigate rooms flooded with lava by leaping from chairs, hanging from curtains and swinging from chandeliers.
0
A teenage girl is raised underground by a robot "Mother", designed to repopulate the earth following an extinction event. But their unique bond is threatened when an inexplicable stranger arrives with alarming news.
-2
Reunited after 15 years, famous chef Sasha and hometown musician Marcus feel the old sparks of attraction but struggle to adapt to each other's worlds.
1
A family man with no drug running experience searches the Caribbean for a lost stash of cocaine said to be worth at least $2 million.
0
Unwrap the real stories behind these iconic blockbusters, thanks to insider interviews and behind-the-scenes peeks.
1
A black ops assassin is forced to fight for her own survival after a job goes dangerously wrong.
-1
Political espionage thriller based on "Bard of Blood," by Bilal Siddiqi.
0
A group of small-town young men run a lucrative phishing operation, until a corrupt politician wants in on their scheme -- and a cop wants to fight it.
0
The lives of a group of teenagers are disrupted when a spiritual figure appears in front of them in the ancient city of Petra. They must try and stop Jinn from destroying the world.
1
A team of former robbers arrived at Paradise: Phuket, southern Thailand. Now traders, they are happy days. Until the day when the devil arrives: Mehdi, sentenced to 15 years in prison during the robbery, comes to recover his share of the cake.
1
In a world where beasts of all kinds coexist, a gentle wolf awakens to his own predatory urges as his school deals with a murder within its midst.
-1
When her friend suffers a bizarre accident, Rosa realizes the secret student society they've just joined is built on demonic secrets from Dutch history.
-3
When a law-abiding woman gets indicted for murdering her husband, her lawyer soon realizes that a larger conspiracy may be at work.
1
Orphans raised by a martial arts master are plunged into a mystery involving demonic powers, drug cartels, ancient rituals and blood sacrifice.
-2
Comedian Iliza Shlesinger dissects her recent wedding with riffs on screeching bachelorette parties, that creepy garter removal tradition and more.
-1
To save her small law firm, earnest lawyer Susan takes a high-paying case from Nick, a charming new client who wants to sue a dating website that guarantees love. But as the case heats up, so do Susan and Nick's feelings for each other.
3
How do you win back your girlfriend from the school drug dealer? For Moritz, the answer is clear: sell better drugs. Out of his teenage bedroom, he joins forces with his best friend Lenny to launch what turns into an unexpectedly successful online drug market. Soon, as accidental drug dealers, they’re faced with standard drug empire problems: meeting demand, quality control, and, most importantly: not getting caught.
2
Thirty years after a disease that turns the infected into carnivorous insects emerged, a young exterminator and a teenage girl search for her mother.
-1
A group of French teenagers are bound together by a supernatural force.
0
John Mulaney and his kid pals tackle existential topics for all ages with catchy songs, comedy sketches and special guests in a nostalgic variety special.
2
A 15 year old boy, struggling with his adolescent years, is terrorized by a gang of bullies in a posh boarding school. This sets forth a chain of events that leads to a loss of life and innocence.
-1
Fed up with being single on holidays, two strangers agree to be each other's platonic plus-ones all year long, only to catch real feelings along the way.
-1
Todd and Rory are intellectual soul mates. He might be gay. She might not care. A romantic-comedy drama with a twist; a love story without the thrill of copulation.
1
Caught in the crosshairs of police corruption and Marseille’s warring gangs, a loyal cop must protect his squad by taking matters into his own hands.
1
Miyo "Muge" Sasaki is a peculiar second-year junior high student who has fallen in love with her classmate Kento Hinode. Muge resolutely pursues Kento every day, but he takes no notice of her. Nevertheless, while carrying a secret she can tell no one, Muge continues to pursue Kento. Muge discovers a magic mask that allows her to transform into a cat named Tarō. The magic lets Muge get close to Kento, but eventually it may also make her unable to transform back to a human.
0
Addicted to technology, a group of teens attends a rehabilitation camp in the forest, but a sinister force there intends to take them offline forever.
-2
Provoked by the actions of a seemingly sly human, an ancient snake spirit takes on a human form, in order to prove him a fraud. Convinced she’s doing the world a favor, Bai Su Zhen challenges Xu Xuan to a contest of skill but what starts as a heated rivalry soon turns to burning passion. Faced with opposition from every side, Bai Su Zhen and Xu Xuan’s love is put to the test time and time again.
-1
When ten people wake up on a treacherous island with no memory of who they are and how they got there, they set off on a trek to try to get back home, only to discover the world is not as it seems.
-1
Shy, straight-A student Ellie is hired by sweet but inarticulate jock Paul, who needs help wooing the most popular girl in school. But their new and unlikely friendship gets tricky when Ellie discovers she has feelings for the same girl.
-1
Kabir, a genius yet hostile medical student, falls in love with Preeti from his college. When Preeti's father spots the couple kissing, he opposes their relationship and decides to marry her off.
0
Trying to put her life back together after the death of her husband, Libby and her children move to her estranged Aunt's goat farm in central Texas.
-2
An engaged couple travels the world for a year to explore marriage customs in diverse cultures. Will the journey bring them closer or tear them apart?
0
An unemployed executive is forced to sell his apartment. When he discovers that he still has the keys, he becomes obsessed with the family that now lives there and decides to recover the life he has lost, at any price.
-1
One day in the middle of the pacific ocean a miracle occurred, a new continent appeared out of nowhere! The new continent was the home for new and mysterious plants, creatures and minerals!

Humanity is excited as the age of exploration has returned.
1
Recovering addict and comedian Mae tries to control the addictive behaviors and intense romanticism that permeate every facet of her life. Life is further complicated by a new and all-consuming relationship with her new girlfriend George.
-3
Felix Lobrecht aims his dark humor at overly polite culture, weird laughter, the sheer awkwardness of a walking baby and more in this stand-up special.
-1
The events of the film revolve around an unfortunate family that arrives at the Al-Gharib palace, and the joy of the couple and their three sons in their new home soon dissipates after the house gradually begins to absorb them one by one into a terrifying world full of old crimes that occurred between its walls, or that the ill-fated walls were behind those crimes.
-3
The story of Rudy Ray Moore, who created the iconic big screen pimp character Dolemite in the 1970s.
0
In a series of inspiring home makeovers, world-renowned tidying expert Marie Kondo helps clients clear out the clutter -- and choose joy.
3
This documentary captures the extraordinary twists and turns in the journeys of Rubik's Cube-solving champions Max Park and Feliks Zemdegs.
1
Alice and Niklas are a young couple who's biggest wish is to have a child of their own. After several failed attempts they decide to go on a holiday in Sardinia to clear their minds. There they meet a family from Austria that seems to have everything they ever wished for. But appearances can be deceiving...
-1
Jenny Slate's debut stand up-comedy special blends with home videos from her childhood and interviews of her with her family.
0
A young 17th-century witch time travels to the future to save the man she loves, but first must adjust to present-day Cartagena and defeat a dark rival.
0
The four-part docuseries revolves around Amherst, Massachusetts, drug lab chemist Sonja Farak who became addicted to the narcotics she was supposed to be testing. In covering her tracks, Farak falsified thousands of results and opened the door to overturning hundreds of wrongful convictions.
-2
The series is called MOVE and each episode brings us inside the life of a Canadian living with mental illness who has found a positive way to "self-medicate" through the discovery of exercise and human movement.
0
No demon is safe as Bogdan Boner, the alcohol-loving, self-taught exorcist-for-hire, returns with more inventive, obscene and deadly deeds.
-1
Chang accompanied by a different celebrity guest exploring a single city, its culture and its cuisine. As the pair travels through each city, they will also uncover new and surprising things about themselves.
0
The Hotel Del Luna, located in Seoul, is not like any other hotel: its clients are all ghosts. Jang Man-wol, stuck in the hotel for the past millennium, meets Goo Chan-sung, the new manager.
0
The movie entails generally on the west African country Nigeria which is about conducting an election for the 13th Democratic president of the country. It entails about the happenings in the country's political sector and the country at large during the general elections.
0
In 2016, a young Austrian filmmaker began documenting amateur inventor Peter Madsen. One year in, Madsen brutally murdered Kim Wall aboard his homemade submarine. An unprecedented revelation of a killer and the journey his young helpers take as they reckon with their own complicity and prepare to testify.
-1
In this intimate documentary, Brazilian pop queen Anitta opens up about fame, family and her fierce work ethic, revealing the woman behind the hits.
2
Brought together by meaningful meals in the past and present, a doctor and a chef are reacquainted when they begin working at a hospice ward.
1
Loving girlfriend, family fortune, breakout movie role: he's got it all. Until an app awakens a powerful new yearning. While in Rome to shoot his first movie, actor and industrial heir Niccolò becomes obsessed with the dating app "US" that sends him into a self-destructive spiral.
2
In her fourth stand-up special, Whitney Cummings returns to her hometown of Washington, D.C., and riffs on modern feminism, relationships, technology and, of course, sex robots. She also brings a very special guest to say hi.
1
This post-apocalyptic tale follows Augustine, a lonely scientist in the Arctic, as he races to stop Sully and her fellow astronauts from returning home to a mysterious global catastrophe.
-4
A determined entrepreneur navigates a love triangle between a young charmer and an older executive, leading her down an unconventional path to love.
3
A father takes an irreverent and honest approach to parenting and relationships.
1
Im Jin Hee is a gung ho reporter, out to do the ring thing. She covers a violent case involving Forest, the biggest IT company in South Korea. The chairman of Forest is Jin Jong Hyun. He relies heavily on shamanism. During her investigation, Im Jin Hee learns of a spiritual consulting company that is affiliated with Forest. The head of that affiliate company is Jin Kyung. While trying to reveal the secret behind Forest, Im Jin Hee meets So Jin. She is possessed by a spirit and she has a special ability.
0
To find a shelter dog he befriended, a 17-year-old boy escapes a juvenile detention center and is joined on his quest by his older brother.
0
Time manipulation comes with a steep price for a young woman, who becomes 78 years old overnight after using a mysterious watch.
-3
An origins story, beginning in 1947, which follows Ratched's journey and evolution from nurse to full-fledged monster tracking her murderous progression through the mental health care system.
-2
After faking his death, a tech billionaire recruits a team of international operatives for a bold and bloody mission to take down a brutal dictator.
-4
A visionary, innovator, and originator who defied categorization and embodied the word cool—a foray into the life and career of musical and cultural icon Miles Davis.
1
While gathering evidence to support closing a tropical U.S. Air Force base, a congressional aide warms to its generous captain.
2
At age 25, Olivier Rousteing was named the creative director of the French luxury fashion house, Balmain. At the time, Rousteing was a relatively unknown designer, but in the decade since, he’s proven his business prowess and artistic instinct by leading Balmain to new heights. Wonderboy gives the viewer the rare opportunity to experience the inner sanctum of the fashion world, as we stand shoulder-to-shoulder with this extraordinary individual while he works.
6
Lee Gon is the third Korean emperor of his generation. His citizens regard him as the perfect leader. But behind this flawless appearance, hides a deep wound. When he was eight years old, his father was murdered before his eyes following a coup. Today, instead of respecting his filial duty, he prefers to escape the palace to attend university conferences. During one of his escapades, he sees himself propelled into a parallel world where he meets Jeong Tae Eul, an inspector with whom he teams up with to defeat the criminals but also close the door between their two worlds.
2
On the heels of Junior Rescue training, Team Flounder returns to brave the beach in a series of thrilling saves and lighthearted laughs.
1
While Megatron takes drastic measures to save the Decepticons, the Autobots fight to save all of Cybertron from both on the planet and aboard the Ark.
-1
Recuperating from trauma, Jennifer remains in danger as she returns to a life she doesn't remember.
-2
A sweeping drama set in the chaotic aftermath of the US invasion of Iraq, where the life of top UN diplomat Sergio Vieira de Mello hangs in the balance during the most treacherous mission of his career.
-1
What was supposed to be a peaceful protest turned into a violent clash with the police. What followed was one of the most notorious trials in history.
-3
England, 15th century. Hal, a capricious prince who lives among the populace far from court, is forced by circumstances to reluctantly accept the throne and become Henry V.
-2
Ludo is about the butterfly effect and how, despite all the chaos and crowd of the world, all our lives are inextricably connected. From a resurfaced sex tape to a rogue suitcase of money, four wildly different stories overlap at the whims of fate, chance and one eccentric criminal.
-6
Warsaw, Poland, during the Cuban Missile Crisis, 1962. Josh Mansky, a troubled math genius and former US chess champion, is recruited to hold a dangerous public match against the Soviet champion, while playing the deadly game of espionage hidden in the darkest shadows of a hostile territory.
-2
Big money artists and mega-collectors pay a high price when art collides with commerce. After a series of paintings by an unknown artist are discovered, a supernatural force enacts revenge on those who have allowed their greed to get in the way of art.
-3
Two countries, two restaurants, one vision. At Gabriela Cámara's acclaimed Contramar in Mexico City, the welcoming, uniformed waiters are as beloved by diners as the menu featuring fresh, local seafood caught within 24 hours. The entire staff sees themselves as part of an extended family. Meanwhile at Cala in San Francisco, Cámara hires staff from different backgrounds and cultures, including ex-felons and ex-addicts, who view the work as an important opportunity to grow as individuals. A Tale of Two Kitchens explores the ways in which a restaurant can serve as a place of both dignity and community.
6
A woman walks into a New York gallery with a cache of unknown masterworks. Thus begins a story of art world greed, willfulness and a high-stakes con.
-2
Comedy duo Thomas Middleditch and Ben Schwartz turn small ideas into epically funny stories in this series of completely improvised comedy specials.
-1
While visiting her fiancé's mother in southern Italy, a woman must fight the mysterious and malevolent curse intent on claiming her daughter.
-3
Twelve-year-old Kareem Manning hires a criminal to scare his mom's new boyfriend -police officer James Coffee - but it backfires, forcing Coffee and Kareem to team up in order to save themselves from Detroit's most ruthless drug kingpin.
-3
Two teens facing personal struggles form a powerful bond as they embark on a cathartic journey chronicling the wonders of Indiana.
1
Burned out and taken for granted, a working mom suspects her partner is cheating, so to win back his attentions, she feigns a medical diagnosis.
-2
Four buddies attend a class taught by a love guru who leads them to question their romantic attachments — until her hidden agenda comes to light.
3
A teacher, in search of inspiration, travels to the most remote school in the world, where he ends up realizing how important his job is and appreciating the value of yak dung.
2
Some of the world's most majestic birds display delightfully captivating mating rituals, from flashy dancing to flaunting their colorful feathers.
5
At this mysterious late-night food cart run by an equally mysterious woman and her part-timer, customers are provided a space for respite and counseling through their dreams. But most importantly, everyone here is treated equally—living or dead.
-2
Best friends travel though Latin America meeting shamans, experimenting with plant medicines, and wondering about what makes a life well-lived when one of them might have half the time to live it.
1
In Knockemstiff, Ohio and its neighboring backwoods, sinister characters converge around young Arvin Russell as he fights the evil forces that threaten him and his family.
-4
Family Reunion follows a family of six who travel from Seattle, Washington to Columbus, Georgia for the McKellan Family Reunion and decide to stay to be closer to their family.
0
Stories from survivors fuel this docuseries examining how convicted sex offender Jeffrey Epstein used his wealth and power to carry out his abuses.
-1
Six strangers share a fabulous house in Tokyo, looking for love while living under the same roof. With no script, what happens next is all up to them.
1
A gay man with mild cerebral palsy decides to rewrite his identity as an accident victim and finally go after the life he wants.
0
This docuseries follows the 2011 sexual assault case involving French politician Dominique Strauss-Kahn
-1
This anthology series of terror features diverse characters facing primal fears in spine-chilling situations that stretch past daily routine.
-2
Crime boss Rex hires Frank and his crew to steal a priceless jewel stash — but the job goes wrong when someone tips off the cops. After Frank suffers a blow to the head, he wakes up to find the jewels gone and no memory of his attacker. Now, Frank must confront his team members one by one to find the traitor — before Rex covers his tracks by having Frank murdered.
-6
Fantastic Fungi is a descriptive time-lapse journey about the magical, mysterious and medicinal world of fungi and their power to heal, sustain and contribute to the regeneration of life on Earth that began 3.5 billion years ago.
2
When Sgt. First Class Brian Eisch is critically wounded in Afghanistan, it sets him and his sons on a journey of love, loss, redemption and legacy.
1
Kim Seo-hui’s life is changed forever when her politician father dies in a car crash and her husband disappears – all in one day. She enters the world of politics and join hands with small-town detective Jo Tae-sik to uncover the truth when she finds out that the car crash might not have been an accident after all.
-2
This nostalgic documentary reveals the real story of Blockbuster's demise, and how one last location in Bend, Oregon keeps the spirit of a bygone era alive.
0
Stand-up comedian Kevin Hart talks about his family, travel and a year full of reckless behavior in front of a live sold-out crowd in London.
-1
A whirlwind holiday romance builds as cynical Dash and optimistic Lily trade dares, dreams, and desires in the notebook they pass back and forth at locations all across New York City.
0
An investigation of how Hollywood's fabled stories have deeply influenced how Americans feel about transgender people, and how transgender people have been taught to feel about themselves.
0
Based on the life of Israeli spy Eli Cohen.
0
In seaside Italy, a Holocaust survivor with a daycare business takes in a 12-year-old street kid who recently robbed her.
1
In his first-ever stand-up special, Ken Jeong shares hilarious stories from his Hollywood career -- and reveals how "The Hangover" saved his life.
1
A talented cast of aspiring makeup artists live and work together as they attempt to prove their potential to industry professionals from a multitude of worlds from fashion to film. With regular eliminations, the challenges not only test their skills under pressure but also give them the opportunity to unleash their creative vision with jaw-dropping results.
3
A baker by day and demon fighter by night, Zhong Kui, a reincarnated deity must jog his amnesiac lover's memory of their millennium-long romance.
0
A brilliant but clumsy high school senior vows to get into her late father's alma mater by transforming herself and a misfit squad into dance champions.
0
Comedian Eric Andre presents his very first Netflix original stand-up special. Taking the stage in New Orleans, Andre breaks the boundaries of comedy as he critiques the war on drugs, the war on sex, and the war on fart jokes!
-2
In a world where data is no longer private, con artists uncover a sinister surveillance scheme headed by the government and a greedy corporation.
-2
In a land dominated by the mighty Wen clan, a young man named Wei Wuxian strikes up an unconventional friendship with justice-loving Lan Wangji. When the duo unexpectedly stumbles across evidence implicating the Wen clan’s chief in a plot to bring mayhem to the inhabitants of their land, Wei Wuxian and Lan Wangji decide to intervene. However, the pair’s attempts to foil the Wen clan boss’s wicked plans go wrong. In the confusion that follows, Wei Wuxian disappears – with many fearing the worst for him. Sixteen years later, Wei Wuxian returns out of the blue. He is soon reunited with Lan Wangji, just as a spate of mysterious murders has broken out. The duo joins forces once more to investigate, determined not to fail this time… Can the pair get to the bottom of the intrigue? Will they solve the murder cases? And just who is the dastardly secret figure pulling the strings behind the evildoings now blighting the land?
-11
Traveling across the world including India, Brazil, Europe, Africa, Canada, and the USA - Generation Iron 3 will interview and follow bodybuilders, trainers, experts, and fans to determine what the universal ideal physique should look like. With so many divisions appearing within the bodybuilding leagues - what body type should be championed as the absolute best in the world?
3
Young entrepreneurs aspiring to launch virtual dreams into reality compete for success and love in the cutthroat world of Korea's high-tech industry.
1
After moving back to her family home to care for her dying mother, a nurse haunted by her childhood memories must struggle with an evil force in the house.
-3
Pastor Park is head of a religious investigation center that exposes cults and cult leaders. While looking into a suspicious new religion called Deer Mount, he slowly uncovers clues that connect this cult to a series of mysterious cases of missing teenage girls when a body is found inside a damaged tunnel beams. He begins to uncover dark secrets surrounding this cult and its enforcer Na-han.
-5
An old-school Brooklyn native devotes his days to caring for his adorable dog, Bruno -- and making sure the neighbors show his pooch the proper respect.
3
Thinking they're about to crash, Emma spills her secrets to a stranger on a plane. At least, she thought he was a stranger...Until she later meets Jack, her company's young CEO, who now knows every humiliating detail about her. Based on the blockbuster NYT bestseller.
-3
A modern love story set during the summer on Italy’s Adriatic Coast. An undeniable attraction brings together Ale and Summer, who come from very different worlds. For both, these holidays will be an unforgettable journey that will take them far from who they were before they met.
4
While on a prison furlough, a lowly criminal evades his guards and returns to his old stomping ground to take revenge on the people who turned him into a cold blooded killer.
-6
At the turning point of the Iran-Contra affair, Elena McMahon, a fearless investigative journalist covering the 1984 US presidential campaign, puts herself in danger when she abandons her assigned task in order to fulfill the last wish of her ailing father, a mysterious man whose past activities she barely knows.
-2
When an aspiring actress hits it big thanks to a candid Instagram post, the lives of several Tokyo women cross as they struggle to define happiness IRL.
0
After learning of his brother's death during a mission in Romania, a former soldier joins two allies to hunt down a mysterious enemy and take his revenge.
-4
After seven years in a Málaga prison, a male stripper is released pending retrial and sets out to prove his lover framed him for her husband's murder.
-1
Four African-American Vietnam veterans return to Vietnam. They are in search of the remains of their fallen squad leader and the promise of buried treasure. These heroes battle forces of humanity and nature while confronted by the lasting ravages of the immorality of the Vietnam War.
0
1930s Hollywood is re-evaluated through the eyes of scathing social critic and alcoholic screenwriter Herman J. Mankiewicz as he races to finish the screenplay of Citizen Kane (1941).
-2
Noumouké, from the suburb of Paris, is about to decide which brother's foot steps to follow - the lawyer student Soulaymaan or the gangster Demba.
-1
In 1990s Turkey, a group of teenage outcasts band together to make their beloved teacher fall in love so she'll have a reason to stay in town with them.
0
When everyone else mysteriously vanishes from their wealthy town, the teen residents of West Ham must forge their own society to survive.
0
An urgent phone call pulls a Yale Law student back to his Ohio hometown, where he reflects on three generations of family history and his own future.
-1
A guy meets the woman of his dreams and invites her to his company's corporate retreat, but realizes he sent the invite to the wrong person.
-2
A village holds spirits of missing, deceased people. A search to find the missing bodies and discover the truth behind their disappearance occurs.
0
A riches-to-rags pianist who loses everything but her smile is guided by twinkling little stars to a small town where she finds hope, home and love.
1
Amid shifting times, two women kept their decades-long love a secret. But coming out later in life comes with its own set of challenges.
1
The Morales cousins scramble to save their grandfather's taco shop--and pursue their own dreams--as gentrification shakes up their LA neighborhood.
-2
To carry out her dad's wish and discover her roots, Dai Tian-qing embarks on a journey around Taiwan and finds love and redemption on the way.
2
While Jonaki, an 80-year-old woman, searches for love in a strange world of decaying memories, her lover, now old and grey, returns to a world she is leaving behind.
1
Unexpected love finds a lonely woman when she forms a connection with a humanlike hologram who looks exactly like his prickly creator.
0
Longtime friends and local radio hosts Maggie and Jack fake it as a couple for their families and listeners in hopes of getting their show syndicated.
-1
Mia goes to medical school to get close to a professor she suspects had a hand in her past family tragedy and gets tangled in the world of biohacking.
-3
In this fun reality competition, online players try their best to flirt, bond and catfish their way to a R$300,000 prize.
2
For decades, a nice Jewish couple ran Circus of Books, a porn shop and epicenter for gay LA. Their director daughter documents their life and times.
1
This documentary focuses on the lives of American hunters, presented as an honest exploration of the controversies, emotions, and traditions inherent to this most primal human activity.
0
This documentary-drama hybrid explores the dangerous human impact of social networking, with tech experts sounding the alarm on their own creations.
-2
Hospital Playlist tells the story of five doctors who have been friends since they entered medical school in 1999.
0
Police profiler Arnar is sent back home from Oslo to his native Iceland to investigate the country's first serial killer case. He teams up with the local senior cop Kata.
-1
With a maintenance robot and a deadly fugitive tagging along, friendship droid S.A.M searches for its best friend, the heir to a kingdom under siege.
-2
Record-shattering Korean girl band BLACKPINK tell their story —  and detail the hard fought journey of the dreams and trials behind their meteoric rise.
-1
From birth to brain surgery: This docuseries provides an intimate look at the lifesaving work of four doctors at Lenox Hill Hospital in NYC.
2
A group of prisoners trapped in a crashed prison bus strive to stay alive when they realize there is a mysterious killer lurking in the shadows.
-7
Grieving parents journey through an emotional void as they mourn the loss of a child in the aftermath of a tragic school shooting.
-4
Determined to bring a Zika vaccine to the remote Pantanal, three doctors clash with a faith healer and are pulled deeper into the mysteries of his cult.
-1
Coming-of-age drama about 18-year-olds, taking a realistic look into the moments of their lives, moments that all of us might have experienced at one time or another. Ong Seong Woo plays Choi Jun Woo, for whom loneliness has become a habit. Though Choi Jun Woo appears to lack empathy at first glance, it’s just that he has always been alone and isn’t practiced in expressing his emotions. Underneath his withdrawn exterior is a goofy and cute young man. “At Eigteen” is about the events that unfold when Jun Woo transfers schools and is thrown into a new environment.
4
Scandals and conflicts of society figures from different backgrounds revealing exciting events linking Ghassan and Judge Rima with Saad and Maya.
-1
Inspector Amaia Salazar confronts the origins of her nightmares as she unfolds the darkest secrets of the Baztan valley.
-1
A couple experiences a defining moment in their relationship when they are unintentionally embroiled in a murder mystery. As their journey to clear their names takes them from one extreme – and hilarious - circumstance to the next, they must figure out how they, and their relationship, can survive the night.
-1
In this neo-noir thriller series, a pair of cash-strapped newlyweds accept a lucrative but morally dubious offer from a mysterious female benefactor.
-1
Dreams and reality collide as a young woman navigates a tumultuous relationship amid rising social tensions, protests and tragedies in Paris.
-4
Ellie tries to mend her marriage with her husband Marcus after a brief encounter with an old friend, David, only to find that David is more dangerous and unstable than she'd realized.
-2
Dreams come true for real families looking for the perfect home tailored to their own unique style, thanks to Shea and Syd McGee of Studio McGee.
1
Via interviews with friends, players and insiders, this docuseries examines how Aaron Hernandez went from an NFL star to a convicted killer.
-1
Soni, a young policewoman in Delhi, and her superintendent, Kalpana, have collectively taken on a growing crisis of violent crimes against women. However, their alliance suffers a major setback when Soni is transferred out for alleged misconduct on duty.
-5
This three-part documentary tells Bill Gates’ life story, in-depth and unfiltered, as he pursues unique solutions to some of the world’s most complex problems.
-2
A woman tries to solve the mysterious death of her brother, a famous DJ who disappeared from Ibiza many years ago.
-1
Haunted by a shadowy past, the wife of a rising star in Amsterdam's mayoral office finds herself drawn into the city’s underworld of sex and drugs.
-1
Burned out on life, Miles undergoes a strange procedure at a strip mall spa -- and wakes to find he's been replaced by a better version of himself.
-1
To detail how drugs push people into risky — even deadly — behaviors, a former CIA analyst investigates the economics of six illicit substances.
-3
A young woman from a small town accuses the college heartthrob of sexual assault.
-2
In 1901, Elisa Sánchez Loriga adopts a male identity in order to marry the woman she loves, Marcela Gracia Ibeas.
1
Kevin Hart serves up laughs and brick oven pizza from the comfort of his home, and dishes on male group chats, sex after 40 and life with COVID-19.
1
It tells an unpredictable 24-hour love story of the four-dimensional innocent girl Jung Saet Byeol who was once a troublemaker and the adorkable caring male store manager, Choi Dae Hyun, in the context of a convenience store. They have met each other accidentally 4 years ago, back then Saet Byeol asked Dae Hyun to buy cigarettes for them. Until now, Saet Byeol comes to the convenience store Dae Hyun runs for a part-time job, their hilarious romantic story starts.
3
Comedian and "SNL" star Pete Davidson drops a candid and intimate stand-up special shot live in New York City.
1
After the strange death of his young son at their new home, Daniel hears a ghostly plea for help, spurring him to seek out a renowned paranormal expert.
-2
Eight stories celebrating family, faith, love and forgiveness come to life in this series inspired by Dolly Parton's iconic country music catalog.
2
In New York, former convict Pete Koslow, related to the Polish mafia, must deal with both Klimek the General, his ruthless boss, and the twisted ambitions of two federal agents, as he tries to survive and protect the lives of his loved ones.
0
When two Boston police officers are murdered, ex-cop Spenser teams up with his no-nonsense roommate Hawk to take down criminals.
-1
National Security agent Fatima receives a tip that a terrorist attack against Sweden is in the planning stage. Meanwhile Sulle, a teenage girl in Stockholm, gets interested in her student assistent who opens doors to a new and fascinating world - the true path.  Kalifat is a thriller about the intermingled fates of five young women who get caught up in the seducing and destroying force of religious fundamentalism.
-1
Comedian and Trump lip-synching sensation Sarah Cooper tackles politics, race and other light topics in a sketch special packed with celebrity guests.
2
A socially awkward woman with a fondness for arts and crafts, horses, and supernatural crime shows finds her increasingly lucid dreams trickling into her waking life.
0
The spectacular rise and scandalous fall of hot-yoga evangelist Bikram Choudhury is chronicled through archival footage and extensive insider interviews.
-1
Haunted by visions after her sister vanished with her classmates 21 years before, Astrid begins an investigation that uncovers the dark, eerie truth.
-1
When Big Show's teenage daughter comes to live with him and his wife and two other daughters, he quickly becomes outnumbered and outsmarted. Despite being 7 feet tall and weighing 400 pounds, he is no longer the center of attention.
0
A con man and a would-be filmmaking crew force themselves into the lives of two grief-scarred young women. But nothing is as it seems.
0
After a family moves into the Heelshire Mansion, their young son soon makes friends with a life-like doll called Brahms.
0
After failing to make it on Broadway, April returns to her hometown and reluctantly begins training a misfit group of young dancers for a competition.
-3
Robert Johnson was one of the most influential blues guitarists ever. Even before his early death, fans wondered if he'd made a pact with the Devil.
-1
A hostel warden becomes the target of a dreaded politician and his gangster son, but little do they realise that it is they who should fear him.
-2
Charting the rise and fall of three corrupt real estate agents who accumulate absurd wealth in no time but fall into a vortex of fraud, greed and drugs.
-6
Ambushed by Ulster loyalists, three members of the Miami Showband were killed in Northern Ireland in 1975. Was the crime linked to the government?
-2
Liberty, a socially awkward 16-year-old, returns from two months at camp to a blindsided introduction of her mother’s fiancé, John Smith, whose charm, intelligence, and beauty paint the picture of a man too perfect to be human.
4
When her husband abruptly ends their marriage, empty nester Kate embarks on a solo second honeymoon in Africa, finding purpose and potential romance.
-1
Aziz Ansari shares deep personal insights and hilarious takes on wokeness, family and the social climate.
1
In this docuseries, meet the heroes on the front lines of the battle against influenza and learn about their efforts to stop the next global outbreak.
0
Fed up with her deadbeat grown kids and marginal urban existence, Juanita takes a Greyhound bus to Paper Moon, Montana - where she reinvents herself and finds her mojo.
-2
Once the world's most famous astrologer, Walter Mercado seeks to resurrect a forgotten legacy. Raised in the sugar cane fields of Puerto Rico, Walter grew up to become a gender non-conforming, cape-wearing psychic whose televised horoscopes reached 120 million viewers a day for decades before he mysteriously disappeared.
0
A drama about the race between people who want to get closer to the truth and those who want to cover it up. Jang Seung Jo will take on the role of Oh Ji Hyuk, an elite detective of nine years who does not share his feelings with others due to pain he experienced when he was young. He is not swayed by money and power, even with the huge wealth he inherited from his uncle.
0
After his son's tragic death, a Louisiana pharmacist goes to extremes to expose the rampant corruption behind the opioid addiction crisis.
-5
In April 1991, Detlev Rohwedder, the head of Treuhand, the East German Privatization and Restructuring Agency, was assassinated in Dusseldorf. This documentary details the strange evidence recovered.
0
Two adults go to their middle school reunion in order to show off their success to old bullies teenage crushes..
-1
A cast of quirky critters and Mother Nature herself narrate this funny science series, which peeks into the lives of Earth's most incredible animals.
0
Seventeen-year-old Stella spends most of her time in the hospital as a cystic fibrosis patient. Her life is full of routines, boundaries and self-control — all of which get put to the test when she meets Will, an impossibly charming teen who has the same illness. There's an instant flirtation, though restrictions dictate that they must maintain a safe distance between them. As their connection intensifies, so does the temptation to throw the rules out the window and embrace that attraction.
0
Set in the early 19th century. Goo Hae Ryung works as a historian. Female historians like Goo Hae Ryung are generally looked down upon because of their gender. Yet, Goo Hae Ryung fulfills her duty as a historian. She gets involved with Prince Lee Rim.
2
Rascal Flatts bassist Jay DeMarcus and ex-beauty queen Allison DeMarcus write their own rules for juggling family and fun in this reality show.
0
A young man who committed a homicide deals with the repercussions of his action.
0
This investigation examines the mysterious shooting of soul icon Sam Cooke, whose death silenced one of the most vital voices in the civil rights movement.
-1
A writer in a creative and marital crisis finds refuge and support in her three best friends. Based on the novels by Elisabet Benavent.
2
Two 19th-century footballers on opposite sides of a class divide navigate professional and personal turmoil to change the game — and England — forever.
-1
With the world under attack by deadly creatures who hunt by sound, a teen and her family seek refuge outside the city and encounter a mysterious cult.
-3
Veering off course from his preset path, a track star follows his own pace and heart for the first time after a film translator steps into his life.
0
Experience our planet's natural beauty and examine how climate change impacts all living creatures in this ambitious documentary of spectacular scope.
3
Lara Jean and Peter have just taken their romance from pretend to officially real when another recipient of one of her love letters enters the picture.
0
An imaginary world comes to life in a holiday tale of an eccentric toymaker, his adventurous granddaughter, and a magical invention that has the power to change their lives forever.
0
Join former first lady Michelle Obama in an intimate documentary looking at her life, hopes and connection with others.
1
The competition is fierce — and the drama undeniable — as a group of young and hungry agents try to seal the deal on luxury listings in the Hamptons.
0
A teen gamer is forced to level up to full-time babysitter when his favorite video game drops three superpowered infants from space into his backyard.
1
French Basque Country, year 1609. The men of a small fishing village have gone to sea. Judge Rostegui, who has been charged by the king with ridding the country of the devil's wiles, arrests Ana and her friends and accuses them of witchcraft.
-2
A troubled psychologist returns from the U.S. and sets up a clinic in Taiwan, where mysterious patients and uncanny events shed light on his murky past.
-2
On the planet Latimer, Takeshi Kovacs must protect a tattooist while investigating the death of a yakuza boss alongside a no-nonsense CTAC.
0
Tormented with his 'under-privileged' societal status, a father capitalizes on his son's newfound fame as a boy-genius. Little does he realize that the secret he harbors will destroy the very thing he loves the most.
0
In this drama set at a university, a wayward philosophy student navigate life on campus while seeking guidance from an intriguing new professor.
1
Between scenes from an excruciating date, Jim Jefferies digs into generational differences, his own bad habits and the shifting boundaries in comedy.
-2
A girl explores the possibilities in a post-apocalyptic world.
0
Tensions rise when trailblazing blues singer Ma Rainey and her band gather at a recording studio in Chicago in 1927.
-1
Stand-up comedian Colin Quinn calls out the hypocrisies of the left and the right in this special based on his politically charged Off-Broadway show.
0
Worlds collide in this special event featuring familiar faces, surprise cameos and stories of spirited competition from four different comedy series.
1
Forging his own comedic boundaries, Anthony Jeselnik revels in getting away with saying things others can't in this stand-up special shot in New York.
1
The story of a sick 9-year old boy in the grip of uncontrolled phenomena - and the desperate measures his mother takes behind closed doors to save his life.
-3
Out to avenge his mother's death, a college student pledges a secret order and lands in a war between werewolves and practitioners of dark magic.
-2
Former "Saturday Night Live" star Rob Schneider returns to the stage and shares his take on life, love and dinosaur dreams in this stand-up special. Ending with a surprise duet performance with his daughter, singer-songwriter Elle King, Rob talks about potty training his young daughters and his own pig potential.
0
After learning France is about to legalize pot, a down-on-his-luck entrepreneur and his family race to turn their butcher shop into a marijuana café.
-1
Eager to make his name in 19th-century Vienna, a hungry young Sigmund Freud joins a psychic and an inspector to solve a string of bloody mysteries.
-1
While trying to make his sister's wedding day go smoothly, Jack finds himself juggling an angry ex-girlfriend, an uninvited guest with a secret, a misplaced sleep sedative, and the girl who got away in alternate versions of the same day.
0
Advait visits Goa where he meets Sara, a free-spirited girl who lives life unshackled. Opposites attract and all goes well until life turns upside down. Years later, Advait is on a killing spree with cops Aghase and Michael in his way.
0
Payton has known since childhood that he's going to be president. First he'll have to navigate the most treacherous political landscape: high school.
-1
Dolly Parton leads a moving, musical journey in this documentary that details the people and places who have helped shape her iconic career.
2
A group of friends at a New Year’s Eve party go through a whirlwind of events that exposes secrets, breaks hearts — and leads to a shocking outcome.
-1
Kaoru's unexpected new roommate is Rilakkuma, a bear with a zipper on its back that spends each day just lazing around -- but is impossible to hate.
-3
Comedian Mike Birbiglia hits Broadway with a hilarious yet profound one-man show that recounts his emotional and physical journey to parenthood.
2
The story of life on our planet by the man who has seen more of the natural world than any other. In more than 90 years, Attenborough has visited every continent on the globe, exploring the wild places of our planet and documenting the living world in all its variety and wonder. Addressing the biggest challenges facing life on our planet, the film offers a powerful message of hope for future generations.
2
In 1988, Philadelphia police officer Thomas "Locke" Lockhart, hungry to become a detective, begins tracking a serial killer whose crimes defy scientific explanation. When the killer mysteriously resurfaces nine years later, Locke's obsession with finding the truth threatens to destroy his career, his family, and possibly his sanity.
-5
Frenetic comic Adam Devine talks teen awkwardness, celebrity encounters, his "Pitch Perfect" audition and more in a special from his hometown of Omaha.
-1
Prodigal daughter Tumi tries to make things right after completely ruining what should have been her sister's picture-perfect Christmas wedding.
0
In post-industrial Ohio, a Chinese billionaire opens a new factory in the husk of an abandoned General Motors plant, hiring two thousand blue-collar Americans. Early days of hope and optimism give way to setbacks as high-tech China clashes with working-class America.
-1
Family man Devin falls back into his sneaker obsession after his pal Bobby talks him into a wheeling-dealing scheme to score a mythical pair of kicks.
0
2020: A year so [insert adjective of choice here], even the creators of Black Mirror couldn't make it up… but that doesn't mean they don't have a little something to add. This comedy event that tells the story of the dreadful year that was — and perhaps still is? The documentary-style special weaves together some of the world's most (fictitious) renowned voices with real-life archival footage.
-1
Four strangers — a flight attendant escaping a suburban cult, an Afghan refugee fleeing persecution, a young Australian father escaping a dead-end job, and a bureaucrat caught up in a national scandal — are stuck in an immigration detention center in the Australian desert. Inspired by true events.
-6
An ex-soldier, a teen and a cop collide in New Orleans as they hunt for the source behind a dangerous new pill that grants users temporary superpowers.
-1
Brave Blue World is a documentary that paints an optimistic picture of how humanity is adopting new technologies and innovations to re-think how water is managed.
3
Comedian Jo Koy takes center stage in Hawaii and shares his honest take on island life, ethnicity, fatherhood and more.
1
After a devastating fire in 1897 Paris, three women find their lives upended by betrayal, deception and romantic turmoil. Inspired by real events.
-3
The movie explores the horrors and fantasies of a patient trapped in a mental asylum.
0
Down the road from Woodstock in the early 1970s, a revolution blossomed in a ramshackle summer camp for disabled teenagers, transforming their young lives and igniting a landmark movement.
-2
After discovering his grandfather is Santa Claus, Jules has to help him deliver his presents all around the world. But Jules' hatred for Christmas might make that more difficult than Santa thought.
-2
For years, the murder of Chilean protest singer Victor Jara was blamed on an official in Pinochet's army. Now in exile, he tries to exonerate himself.
-2
Morphed into a raccoon beastman, Michiru seeks refuge, and answers, with the aid of wolf beastman Shirou inside the special zone of Anima-City.
0
Radha is a down-on-her-luck NY playwright, who is desperate for a breakthrough before 40. Reinventing herself as rapper RadhaMUSPrime, she vacillates between the worlds of Hip Hop and theater in order to find her true voice.
0
A retired academic teacher tries to find the love of his youth after being diagnosed with Alzheimer's.
1
Seeing the neighboring country become more and more powerful, a warlord organizes a competition to reveal the best warriors. A young man is eager to bring honour to his clan.
3
Due to various personal reasons, a group of Yun Tae-o’s friends move into his house, where they experience love, friendship, and everything in between.
1
When Duchess Margaret unexpectedly inherits the throne & hits a rough patch with Kevin, it’s up to Stacy to save the day before a new lookalike — party girl Fiona — foils their plans.
-2
A large immigration raid in a small Tennessee town leaves emotional fallout as well as far-reaching questions about justice, faith and humanity.
1
Dragons, the rulers of the sky. To many people on the surface, they are a dire threat, but at the same time, a valuable source of medicine, oil, and food. There are those who hunt the dragons. They travel the skies in dragon-hunting airships. This is the story of one of those ships, the “Quin Zaza,” and its crew.
-1
Comic Nate Bargatze touches on air travel, cheap weddings, college football, chocolate milk and the perils of ordering coffee in this stand-up special.
-2
Martin Scorsese, Robert De Niro, Joe Pesci, and Al Pacino in conversation about The Irishman.
0
Set in the future, the city of Shanghai battle to defend itself against an ongoing attack by an alien force that has attacked and laid siege to numerous cities around the globe in it's quest to harvest a hidden energy only found on earth.
-2
Under pressure to marry, a perennial bachelor hires a much younger woman to act as his fiancée, but her bond with his family throws his plan for a loop.
0
Eight of the country's best backyard smokers and pitmasters vie for the title of American Barbecue Champion in a fierce but friendly faceoff.
2
On the run from a dogged internal affairs agent, a corrupt cop reluctantly teams up with a defiant teen to unravel a conspiracy before it's too late.
-6
The discovery of the tomb of William Tell’s son in a town in the Basque Country spurs the village's cantankerous citizens to lobby for Swiss annexation.
0
Oh, Ramona! seeks the transformation of Andrew from a teenager into an adult who lives candidly and selflessly his first love story, innocent and uninvolved, alternating with the second, intense and insane story, incapable of making a choice. Oh, Ramona! is the cinematic rewriting of Andrei Ciobanu's book "Suge-o, Ramona!".
-2
A rich and nasty woman returns to her hometown to evict everyone but discovers the true meaning of Christmas thanks to the local townsfolk – and an actual angel. Features 14 original songs with music and lyrics by Dolly Parton!
1
A story that follows Wang Lu, a young genius, who enters the Spirit Blade Sect and embarks on an unconventional journey towards immortal cultivation. The Spirit Blade Sect was established in the year 4233. Through years of producing martial arts prodigies, it has been hailed as one of the five great sects. As the nine continents face a crisis, a genius by the name of Wang Lu joins the Spirit Blade Sect and comes under the tutelage Wang Wu. Despite Wang Wu's beauty, she is hundreds of years in age. Famous for having a sharp tongue and an erratic temper, she and her disciple Wang Lu engage in endless squabbles while trudging on a path to becoming the strongest sage in all the lands.  Adapted from the manga "Spirit Blade Mountain" written by Xian Man Dong Man.
4
An ode to the cat. A compilation of the funniest and cutest cat video's by Abatutu, the most famous cat in The Netherlands
1
In this animated musical, a girl builds a rocket ship and blasts off, hoping to meet a mythical moon goddess.
0
Ever wonder what's happening inside your head? From dreaming to anxiety disorders, discover how your brain works with this illuminating series.
1
In Frankfurt, A young, talented hip-hop producer in Germany signs with a record label where he finds that the worlds of music and organized crime collide.
0
In a city of coaching centers known to train India’s finest collegiate minds, an earnest but unexceptional student and his friends navigate campus life.
2
Three prosperous women -- including a mother and her daughter -- fall for a seductive man in Colombia's Coffee Triangle.
0
Ray Romano cut his stand-up teeth at the Comedy Cellar in New York. Now, in his first comedy special in 23 years, he returns to where it all began.
0
Hilarious high school teacher Gabriel Iglesias tries to make a difference in the lives of some smart but underperforming students at his alma mater.
2
Viral video star Miranda Sings and her real-world alter ego Colleen Ballinger share the stage in a special packed with music, comedy and "magichinry."
0
Sweety has to contend with her over-enthusiastic family that wants her to get married but the ultimate truth is that her love might not find acceptance in her family and society.
0
Guy-Am-I, an inventor, and his friend Sam-I-Am go on a cross-country trip that would test the limits of their friendship. As they learn to try new things, they find out what adventure brings.
-1
As a chief of staff in the National Assembly, Jang Tae-jun influences power behind the scenes while pursuing his own ambitions to rise to the top.
1
A mysterious classmate leads four idealistic teens in a revolt against a rising tide of nationalistic fervor, but their movement takes a dark turn.
-1
On an emotional journey in Morocco, an entrepreneur pieces together the turbulent life of his estranged mother and meets her adopted daughter.
-2
Four undying warriors who've secretly protected humanity for centuries become targeted for their mysterious powers just as they discover a new immortal.
-1
Legendary comedy writer and director Larry Charles travels the world in search of humor in the most unusual, unexpected and dangerous places.
-1
When her idyllic vacation takes an unthinkable turn, Ellen Martin begins investigating a fake insurance policy, only to find herself down a rabbit hole of questionable dealings that can be linked to a Panama City law firm and its vested interest in helping the world's wealthiest citizens amass larger fortunes.
0
After suffering a violent incident, a woman decides to become a vigilante, defending every woman who has suffered from physical or psychological abuse.
-4
When the ghost of a woman gains a second chance at life for 49 days, she reappears in front of her remarried husband and young daughter.
1
After a whirlwind romance with a wealthy widower, a naïve bride moves to his family estate but can't escape the haunting shadow of his late wife.
0
Hannah Gadsby returns for her second special and digs deep into the complexities of popularity, identity, and her most unusual dog park encounter.
-1
Close to paying off her debts, a Nigerian sex worker in Austria coaches a reluctant novice, and assesses the risks of taking a faster path to freedom.
-1
The story begins with a young boy being asked by his parents to return to Spain to meet his fiance. He returns accompanied by Lazaro, a mysterious ballet dancer.
-1
A unique look inside the mind of an infamous serial killer with this cinematic self-portrait crafted from statements made by Ted Bundy, including present-day interviews, archival footage and audio recordings from death row.
-3
A troupe of hilariously self-obsessed theater stars swarm into a small conservative Indiana town in support of a high school girl who wants to take her girlfriend to the prom.
0
Luisa, a 20-year-old law student, joins a cell of the Antifa group when she and her friends Alfa and Lenor get to know about an upcoming attack planned by a local neo-Nazi gang. As they try to find out more, the three youngsters delve deeper into the scene linked to right-wing movements and their political connections, to the point where they will understand how much they are willing to go further, in order to defend their own beliefs.
0
Within the walls of an interrogation room, London investigators question suspects accused of grievous crimes until the truth comes to light.
-3
Since 1999, 18 of the last 22 winners of the Scripps National Spelling Bee have been Indian-American, making the incredible trend one of the longest in sports history. “Breaking the Bee” is a feature-length documentary that explores and celebrates this new dynasty while following four students, ages 7 to 14, as they vie for the title of spelling bee champion.
2
Time passes and tension mounts in a Florida police station as an estranged interracial couple awaits news of their missing teenage son.
-2
Despite their fathers' rivalry, two university students form a friendship at a boxing gym as they tackle family drama, romance and personal crises.
-2
A political activist helps take care of a group of America’s most wanted fugitives, including a well-known, recently radicalized heiress.
0
A chronicle of the crimes of Ted Bundy, from the perspective of his longtime girlfriend, Elizabeth Kloepfer, who refused to believe the truth about him for years.
-2
Feature documentary about the rise and fall, and rebirth of ex-NBA star, Stephon Marbury.
-1
Comedian Andrew Schulz takes on the year's most divisive topics in this fearlessly unfiltered and irreverent four-part special.
0
Reggie's dream is to be a kid forever. Her dream is so powerful that it creates its own fantasy world of perpetual youth.
1
Following the death of her child, a grief-stricken woman struggles to find peace until a mysterious boy appears, claiming to be her reincarnated son.
-2
On his wedding anniversary, Yusef and his young daughter set out in the West Bank to buy his wife a gift. Between soldiers, segregated roads and checkpoints, how easy would it be to go shopping?
1
A semi-retired couple who work for a clandestine monster hunting agency discover dark family secrets and the truth about their employer after their magically inclined nigh adult kids reawaken a witch bent on revenge.
-3
With heart and determination, Antoine Griezmann overcame his small stature to become one of the world's top soccer players and a World Cup champion.
2
Red Snow is a dramatic adventure that begins when Dylan, a Gwich'in soldier from the Canadian Arctic, is caught in an ambush in Panjwayi, Afghanistan. His capture and interrogation by a Taliban Commander releases a cache of memories connected to the love and death of his Inuit cousin, Asana, and binds him closer to a Pashtun family as they escape across treacherous landscapes and through a blizzard that becomes their key to survival.
-1
Big Timber follows the dangerous work of logger and sawmill owner Kevin Wenstob as he and his crew go to extremes to keep the family sawmill, and their way of life, alive.
0
Join Santiago, an 8-year-old pirate, and his crew as they embarks on rescues, uncover hidden treasures and keeps the Caribbean high seas safe. The show is infused with Spanish language and Latino-Caribbean culture and curriculum.
2
Comedian Jeff Garlin (unintentionally) celebrates his 37th year of stand-up and shares his learnings on love, loss, success and food addiction.
1
Noah, an 11-year-old boy with social anxiety disorder, has to start middle school, he turns to a mutt named Dude, a sarcastic emotional support dog who might need Noah as much as Noah needs him.
-2
An art curator's life unravels, as she tries to keep her pastime as a die-hard K-pop fan secret from her gallery's new director.
-1
The three worlds of humans, gods, and demons are balanced by energy. But in the 21st century, due to the rapid development of human society, the balance is lost.
0
Bad boy or football genius? Famed French footballer Nicolas Anelka's controversial legacy is examined in an unflinching documentary.
0
On her wild quest for love, 9-year-old Benni's untamed energy drives everyone around her to despair.
-1
Prior to the India-Pakistan war of 1971, the RAW (Research and Analysis Wing) trains an Indian banker in espionage and martial arts, and sends him to Pakistan for an undercover operation where he finds himself sinking between emotions and violence.
-1
This limited series chronicles the incredible true story of Madam C.J. Walker, who was the first African American self-made millionaire.
0
In the face of unspeakable pain, a couple must find a way to live and love again
-1
Oprah Winfrey talks with the exonerated men once known as the Central Park Five, plus the cast and producers who tell their story in "When They See Us".
0
Told through three different characters' perspectives, the story of Sintonia explores the interconnection of the music, drug traffic, and religion in São Paulo. In the quest to be somebody, many paths will converge.
0
Using raw, firsthand footage, this documentary examines the disappearance of Shanann Watts and her children, and the terrible events that followed.
-1
As a young scientist searches for a way to save a dying Earth, she finds a connection with a man who's racing to catch the last shuttle off the planet.
-1
After a mysterious disease begins transforming people into vampires, Dr. Luther Swann is pitted against his best friend, now a powerful vampire leader.
1
A wary CIA officer investigates a charismatic man who sparks a spiritual movement and stirs political unrest. Who exactly is he? And what does he want?
0
A terrible plague strikes and a group decides to risk their lives. Humanity struggles to survive as they face the end of their civilization.
-5
Sebastian Maniscalco brings an acerbically unique approach to peacocks on planes, life hacks, rich in-laws and life's annoyances in this comedy special.
-2
Follows the story of Toru Muranishi's unusual and dramatic life filled with big ambitions as well as spectacular setbacks in his attempt to turn Japan's porn industry on its head.
0
When their mother mysteriously vanishes shortly after they all arrive in her hometown, teen twins discover secrets behind the village’s tranquil facade.
0
When he becomes king, Lee Soo hires the Flower Crew matchmaking agency to make a noble woman out of his first love, Gae-Ddong. Ma Hoon, Young-soo and Do Joon try to fulfill their client's request.
2
Kat is an aspiring singer-songwriter who dreams of making it big. However, her dreams are stalled by her reality: a conniving and cruel stepfamily  and a demoralizing job working as a singing elf at billionaire Terrence Wintergarden’s Santa Land.
-2
Dr. Lisa Sanders crowdsources diagnoses for mysterious and rare medical conditions in a documentary series based on her New York Times Magazine column.
-1
A Cleveland grandfather is brought to trial in Israel, accused of being the infamous Nazi death camp guard known as Ivan the Terrible.
-3
Hollywood's finest pay tribute to "Rowan and Martin's Laugh-In" for an uncensored and unforgettable celebration at The Dolby Theater.
3
Based on the novel of the same name winner of the Primavera award 2016. Raquel, a young literature teacher, gives her marriage a second chance and moves to her husband's birth town, which hides a dark secret she will try to unravel.
0
Ph.D. candidate in Physics Mu Cheng He catches a third-year student in English Xue Tong cheating on an exam. When he even becomes the substitute teacher in her elective course Russian and makes her study with him after classes, her hatred for him only grows. Over time, however, Xue Tong discovers Teacher Mu’s true character and comes to secretly love him.
-1
Writer, director and food enthusiast Jon Favreau and chef Roy Choi explore food in and out of the kitchen with accomplished chefs and celebrity friends.
2
When a long list of shenanigans lands Tyler in hot water, he’s forced to suit up and spend his summer training for an elite junior lifeguard program.
2
The Mobile Investigative Unit (known as "MIU") of the Tokyo Metropolitan Police Department attempts to solve cases within 24 hours. Detective Kazumi Shima is selected as a new member of MIU. He is intelligent, with excellent observation and communication skills. Yet, he does not trust other people. He is unable to find a partner in MIU and is ordered to partner with Police Officer Ai Ibuki, who works at a police substation. Ibuki applied for MIU, but he failed. He is in excellent physical condition, but he lacks knowledge and experience as a detective. Shima learns about Ibuki's background and he becomes more nervous. Finally, Shima has his first meeting with Ibuki.
2
After her sister died, Alia decides to start a new life by living in an orphanage owned by Mrs Laksmi and Mr Fadli as well as doing social work there. But Alia feels something wrong with the orphanage. Moreover, Nadia, one of the orphanage who apparently also has an inner eyes like Alia, can hears mysterious voices asking for help from all over the walls of the house. Alia and Nadia open a mysterious locked room. Since then disasters begin. It turns out that Alia and Nadia had made a big mistake and releases Darmah, a vengeful spirit that was deliberately locked in the room. Together with Mrs Windu, the paranormal and mentor of her inner eyes, Alia must confront Darmah and save the orphanage.
-5
The spotlight's on Parchís, a record company-created Spanish boy/girl band that had unprecedented success with Top 10 songs and hit films in the '80s.
2
In an unfiltered, intimate docuseries, pop star mentor Charli XCX finds out what it takes to build -- and break -- a real, badass all-girl punk band.
-1
This documentary follows a team of local archaeologists excavating never before explored passageways, shafts, and tombs, piecing together the secrets of Egypt’s most significant find in almost 50 years in Saqqara.
1
Kevin Hart highlights the fascinating contributions of black history's unsung heroes in this entertaining -- and educational -- comedy special.
4
A down-on-his-luck PI is hired by his old flame to investigate a murder. But while the case at first appears routine, it slowly reveals itself to be a complex interwoven web of crimes, suspects and dead bodies.
-6
In Monterrey, Mexico, a young street gang spends their days dancing to slowed-down cumbia and attending parties. After a mix-up with a local cartel, their leader is forced to migrate to the U.S. but quickly longs to return home.
0
Featuring extensive interviews, this documentary takes a critical look at the gender inequality in Spain as the feminist movement aims to shift reality.
-2
When Mari Gilbert's daughter disappears, police inaction drives her own investigation into the gated Long Island community where Shannan was last seen. Her search brings attention to over a dozen murdered prostitutes.
-1
A successful, cold-blooded crime novelist gets involved in a kidnapping case while uncovering the corrupt ties between politicians and the local mafia in Valencia, Spain.
-1
A gravity-defying boy raised in seclusion matures into an extraordinary man -- and an international celebrity -- who longs for human connection.
1
Surrounded by tensions and secrets, a teenage boy searches for validation and navigates life with a dysfunctional family following an HIV diagnosis.
-1
In the not-too-distant future, as a final response to crime and terrorism, the U.S. government plans to broadcast a signal that will make it impossible for anyone to knowingly break the law.
-4
A documentary that looks at systemic sexism faced by women scientists in STEM fields.
0
Shocked when their friend embraces extremism, a group of Muslim Americans in Texas recount their time with him and theories about his fate.
-2
A young man whose parents became casualties of war. He is taken in by his uncle Zack, and it is there that Levius begins to immerse himself in the world of metal boxing as if led by fate itself, and his innate ability for the martial art blossoms.
1
Kusano has a bright future with his fancy university degree and new job. yet, it is not to be. The blood sucking financial giant which he works at goes broke and leaves him on the pavement. When it rains it pours and his father becomes ill and needs care and money. He also has his own debts. Needing cash, he searches for and finds a job rather quickly. The job, however, is illegitimate and involves undesirable activity. What is a man to do?
-1
Four intrepid and impulsive police officers form a special narcotics unit to combat the birth of drug trafficking on Spain's Costa del Sol in the 1970s.
-1
Marc Maron wades through a swamp of vitamin hustlers, evangelicals and grown male nerd children, culminating in a gleefully filthy end-times fantasy.
-1
SNL alumnus and subversive master of late-night Seth Meyers comes out from behind the desk to share some lighthearted stories from his own life.
0
When her husband is framed and imprisoned for serial murders, a doting wife must perform a copycat murder, to prove her husband's innocence.
-2
A 70-year-old woman transforms into her 24-year-old self after she's photographed at a studio, changing her life and those of the people around her forever.
0
Naïma has just turned 16. This summer, she will have to decide what she wants from life if she doesn’t want to miss out. Then her cousin Sofia arrives, with an amazing body and a dangerously seductive lifestyle. Naïma desires only to follow her own path, so long as it leads upwards… Despite the warnings of her best friend Dodo, she and Sofia will live through unforgettable encounters during a long summer that will mark them forever.
2
While struggling to adapt to a new environment, Siyabonga, a 12-year-old boy discovers the impact of reading letters to people. One day a letter with bad news lands in his hands.
-2
After starting a family of his very own in the United States, a gay filmmaker documents his loving, traditional Chinese family's process of acceptance.
1
A group of friends set out on a road trip when an unexpected fourth passenger forces an abrupt change of plans.
-2
Strong Puerto Rican women forced to flee the island after Hurricane Maria have bonded like family in a FEMA hotel in the Bronx. They seek stability in their new life as forces try to pull them apart.
2
Welcome to LEGO City, a modern metropolis filled with the fiercest firefighters, the cream of the crop cops, and so many Blockheads. Every citizen will assemble together for the most awesomely awesome adventures.
3
A wannabe bride seeks professional help to find a husband and in the process finds herself.
0
The young Orthodox Jew, Motti Wolkenbruch, finds himself at a turning point. His beloved mother wants him to get married and presents one marriage candidate after the other. Unfortunately none of the woman pleases him, because they all look just like her. The situation gets even more complicated, when Motti secretly falls in love with the non-Jewish girl Laura, a so-called Shiksa.
-1
A woman during the Second World War opens her heart to an evacuee after initially resolving to be rid of him.
0
As a grisly virus rampages a city, a lone man stays locked inside his apartment, digitally cut off from seeking help and desperate to find a way out.
-5
Arranged to marry a rich man, young Ada is crushed when her true love goes missing at sea during a migration attempt — until a miracle reunites them.
2
Psychological games abound between detectives and suspects in a tense interrogation room, where the search for answers sometimes comes at a moral cost.
-1
Despite his ambitions to make it big, Beni is still stuck in the hills, bitter and hurt, struggling to make ends meet by teaching music and singing in clubs. Jyotsna, his estranged student and now a Bollywood singer, left the hills 8 years ago. The town is abuzz with the news of Jyotsna's return to perform at a music concert. Beni has to come to terms with the pains of the past and the delusions of the present to deal with both, Jyotsna's presence in the hills and in his life.
-7
Shy Natsu awakens as part of a group chosen to ensure the survival of humanity. Together, they have to survive on a changed Earth.
1
1787, France. While investigating a series of mysterious murders, Joseph Guillotin - the future inventor of the world famous ‘Guillotine’ - uncovers an unknown virus: the Blue Blood. The disease quickly spreads amongst the French aristocracy, driving them to murder ordinary people and soon leads to a rebellion.
-3
Thriller about a family whose ties are put to the test when the patriarch’s wife dies.
0
A 12-year old girl - Ekah (Faith Fidel) is inspired by the story of the youngest Noble Peace Prize Winner - Malala Yousafzai's. She is determined to go to school in a village of fisherman where the education of a girl child is considered to be a taboo. Her burning drive and determination to break this old adage gets her embroiled with her father's - Solomon (Kang Quintus) past experience with girl child education.
1
Shuhei is leading a tough life. His alcoholic mother Akiko can only hook up with bad guys and order Shuhei to go get money from his disapproving grandparents instead of going to school. Except raising the little half-sister, his rock-bottom life seems to have no end.
0
Wanda Sykes tackles politics, reality TV, racism and the secret she'd take to the grave in this rollicking, no-holds-barred stand-up special.
-1
Cameras follow the banter and bonding between four fun-loving women from Bollywood's inner circle as they juggle professions, family and friendship.
0
1965, Malaysia. A small village helps Khalid and Siti prepare for their wedding day. Soon after, a great darkness falls upon the village as a string of horrific deaths and supernatural happenings create widespread fear and paranoia amongst the villagers. The events force a confession from Khalid to a murder of a girl he made pregnant years before, now believed to have returned as a Pontianak. To kill this vengeful vampire, he rallies all the men of the village and sets out into the jungle to hunt her down. But can the village stop her?
-9
Desperate to escape from his emotional baggage and the heavy responsibility he’s had all his life, a psychiatric ward worker begins to heal with help from the unexpected—a woman who writes fairy tales but doesn’t believe in them.
0
In Paris of the near future, a dating app matches singles with their soul mates by mining their brain data. But decoding true love comes at a price.
1
After 16-year-old Cyntoia Brown is sentenced to life in prison, questions about her past, physiology and the law itself call her guilt into question.
-2
Jack Whitehall hits the stage with hilarious tales about happy couples, life in hotels, human stupidity and his well-traveled father.
1
Journey into the extraordinary world of "The Witcher" — from casting the roles to Jaskier's catchy song — in this behind-the-scenes look at the series. Go behind the monsters, the ballads and every bit of magic that went into bringing The Witcher's Continent to life.
2
The world may know them as Wonder Woman, Supergirl and Batgirl, but not-so-typical teenagers Diana, Kara and Barbara, alongside their Super Hero friends have much more to deal with than just protecting Metropolis from some of the most sinister school-aged Super-Villains. After all, being teens is tough enough, what with school, friends, family and the chaos that comes with managing a social life. But add super powers and a secret identity to the mix, and things can get a lot more complicated.
3
Jack is a charismatic larrikin who has just discovered the one thing he's really good at — go-kart racing. With the support of his mentor, Patrick, an old race car driver with a secret past, and his best mates Colin and Mandy, Jack must learn to control his recklessness if he is to defeat the best drivers in Australia, including the ruthless champion Dean, and win the National title.
6
Secrets emerge and entire cases unravel inside a police interview room in Paris, where suspects and investigators face off in an intricate dance.
-1
The third and final instalment in the Burnout trilogy. This time, the road leads through Norway, to Sweden, Denmark and finally Germany to race on the famous racing track, Nürburgring.
2
Hendrik is sixteen, a big city kid, and vexed to learn that his mother is moving with him and his little brother Eddi to a village in the south of Austria. To make matters worse, the locals shun the new rustic family home. They say it has been haunted ever since a mother poisoned her two sons in there many decades ago. When a sleep- walking Eddi starts carving strange symbols into the walls, Hendrik and his friends set off on a quest to lift the secret of the spooky house.
-4
In this contemporary take on the beloved book series, five best friends launch a baby-sitting business that's big on fun and adventure.
3
Asim Noyan swindles people with his lies and games. Asim Noyan and his gang, who no one else has been able to catch, get into a ruse again.
-2
Comedian Michelle Wolf takes on outrage culture, massages, childbirth, feminism and much more (like otters) in a stand-up special from New York City.
0
Elijah must balance his dream of becoming a master sommelier with his father's expectations that he carry on the family's Memphis BBQ joint.
1
When alien invaders capture Earth's superheroes, their kids must learn to work together to save their parents - and the planet.
0
In a new comedy special for 2019, Gabriel "Fluffy" Iglesias discusses his teenage son, encounters with Snoop Dogg and an overzealous fan, and more.
-1
A portrait of singer-songwriter Shawn Mendes' life, chronicling the past few years of his rise and journey.
0
Uprooted to America, an aspiring Indian entrepreneur confronts disapproval, sexism and rivalry as she draws from her culture to start a tea business.
-2
Based on the 2014 romance novel of the same name, this follows the love life of two young adults.
1
Inspired by real events from Masaba Gupta's life, "Masaba Masaba" follows the designer's atypical journey through heterogeneous universes ranging from fashion to family, and documents her return to the singles market.
0
Kimmy's a famous author and she's about to marry a prince! But first she has to foil the Reverend's evil plot. It's your move: What should Kimmy do next?
-1
When a girl vanishes from a suburb near Mexico City, the personal goals of some involved in the case muddy the search. Based on a true story.
-1
Documentary series on the circumstances surrounding the death of María Marta García Belsunce, one of the most controversial criminal cases in Argentina.
-3
Anticipating a disaster, Antoine, a father, attends a survivalist training given by Alain in his autonomous hideout. In fear of a natural, economic or social crisis, the group trains to face the different possible apocalyptic scenarios. But the disaster they will experience will not be the one they predicted.
-4
Go behind the scenes with stars, puppeteers and creators as they bring Jim Henson's magical world of Thra back to life in a sweeping fantasy series.
2
In 37 Seconds, 23-year-old comic book artist Yuma, physically disabled due to profound cerebral palsy and emotionally stunted by her well-meaning but overly protective mother, forges her own unusual path to sexual awakening and independence while at the same time discovering love and forgiveness.
0
It is winter in Damascus. Sana, with her eight-year-old son, is living alone while her husband works in Saudi Arabia. When Sana runs out of gas to cook or warm the house, she takes a day off to find a gas cylinder. From there begins a trip into the surroundings of Damas, where Sana finds herself brutally confronted with the effects of war.
1
A bank employee weighed down by her jobless husband's debts - and her own broken dreams - finds a secret source of seemingly unlimited cash in her home.
-2
Set in 2012, three years before the events of the Jurassic World movie, LEGO Jurassic World: Legend of Isla Nublar picks up where the story left off from LEGO Jurassic World: The Secret Exhibit. Newly-hired animal behaviorist OWEN GRADY and Assistant Manager of Park Operations CLAIRE DEARING team up on Isla Nublar to deal with everything hectic life around the Jurassic World park throws their way. And "everything" includes runaway dinosaurs, ongoing construction to expand the park, tourists everywhere, unpredictable tropical weather, and an impulsive boss. Plus, a mysterious saboteur with surprising ties to the park's past is on a quest to find a legendary treasure and destroy Jurassic World forever. What could possibly go wrong? Everything.
-5
Seiya and the Knights of the Zodiac rise again to protect the reincarnation of the goddess Athena, but a dark prophecy hangs over them all.
-1
When Melvin tries to cancel Halloween, clever best friends Harold and George create their own spooky holiday -- and it's a huge success.
2
Based on the love story of a couple spanning 25 years and told through the lens of their spunky teenage daughter Aisha Chaudhary, who was diagnosed with pulmonary fibrosis.
1
A duplicitous young man finds success in the dark world of social media smear tactics — but his virtual vitriol soon has violent real-life consequences.
-2
It's Senior year at East Great Falls. Annie, Kayla, Michelle, and Stephanie decide to harness their girl power and band together to get what they want their last year of high school.
0
JJ and his pals sing and dance their way through fun adventures as they learn about letters, numbers, and more.
1
Wielding a light-up sword through the dark corners of a high school, a nurse with an unusual gift protects students from monsters only she can see.
-3
Set free on Earth, fairies with magical powers begin influencing people's emotions. Now, it's up to a princess from a faraway kingdom to stop them!
2
As the world moves on from the war and technological advances bring changes to her life, Violet still hopes to see her lost commanding officer again.
-1
Tells the incredible true story of Amberley Snyder, a nationally ranked rodeo barrel racer who defies the odds after barely surviving a car accident that leaves her paralyzed from the waist down.
0
A man foils an attempted murder, then flees the crew of would-be killers along with their intended target as a woman he's just met tries to find him.
-3
Cooking competition where the aim is to get the show's hosts high by infusing cannabis in their meals.
0
From nature to nurture, this docuseries explores the groundbreaking science that reveals how infants discover life during their very first year.
1
On their dying planet, the Autobots and Decepticons battle fiercely for control of the AllSpark in the Transformers universe's origin story.
-1
Backed by a full band and a ready wit, actor Ben Platt opens up a very personal songbook onstage -- numbers from his debut LP, "Sing to Me Instead."
1
Because he wanted to protect his little brother, Teddy, a young man without a history, is accused of the murder of his father and sent to a closed educational center, waiting for his trial for parricide. He then plunges into a brutal universe of which he does not know the rules.
-1
After 14 years devoid of romance, a struggling movie producer and single mom faces the unexpected arrival of 4 men into her life—an author, an actor, a CEO, and a younger man—who might just revive her dormant desire for love.
-1
A story of Naoufel, a young man who is in love with Gabrielle. In another part of town, a severed hand escapes from a dissection lab, determined to find its body again.
1
Delve into the delectable world of Chaoshan cuisine, explore its unique ingredients and hear the stories of the people behind its creation.

In the second series of "Flavorful Origins", we discover the cuisine of Yunnan .

The third series of Flavorful Origins takes us around the cuisine of Gansu.
1
After his crew breaks up, a gifted but insecure hip-hop dancer teaches at a top ballet school in Paris, where he falls for an aspiring ballerina.
-1
In this karaoke competition hosted by Palina Rojinski, contestants must hit the right note for a chance to win up to 30,000 euros.
2
A cautionary tale for these times of democracy in crisis—the personal and political fuse to explore one of the most dramatic periods in Brazilian history. With unprecedented access to Presidents Dilma Rousseff and Lula da Silva, we witness their rise and fall and the tragically polarized nation that remains.
-3
Soda Stereo, Café Tacvba, Aterciopelados and others figure in this 50-year history of Latin American rock through dictatorships, disasters and dissent.
-2
Dineo is the definition of serial monogamist. She dates to fall in love; she falls in love to get married. But she never gets married. She always ends up being dumped. When she meets Lunga Sibiya, he seems to be the man she's waited her whole life for, a man who shares her values when it comes to love and relationships. Or so she thinks - Until she accidentally finds out that the man she was busy planning her forever with, had been planning his forever with someone else. After a messy breakup with Lunga, her commitment-phobic bestie, Noni, helps Dineo face what she dreads most: life as a single woman. Forced to move out of Lunga's apartment, Dineo seeks refuge with Noni. But letting go of another failed relationship is hard for Dineo. Now at her lowest point, Noni encourages Dineo to enjoy the spoils of singledom. Have fun. Meet new people. Become her own person. It's an intimidating notion for Dineo. She hasn't been single in years. But Noni is happy to be her guide. Together, they take the city night life by storm. But love is a difficult thing to avoid: Noni unexpectedly finds herself falling for an unlikely man and Dineo struggles to sidestep the traps of her romantic flaws. This is further complicated when Lunga realises the mistake he's made and declares his undying love to Dineo, wanting her back. Is Dineo strong enough to honour the new version of herself or will her fear of loneliness have her running back into Lunga's arms?
-10
A 39-year-old single woman who wants to have a child without getting married. She has three men in her radar and has trouble choosing between them. They walk into her life when she’s already hopeless about love and marriage.
-1
A sociological meditation on the different "exits" that young Palestinians choose, in order to cope with life in the refugee camps.
0
In 1974, 12-year-old Jan Broberg is abducted from a small church-going community in Idaho by a trusted neighbour and close family friend.
1
An optimistic, talented teen clings to a huge secret: she's homeless and living on a school bus. When tragedy strikes, can she learn to accept a helping hand?
1
When ISIS took their homes, families and city, one group of men fought to take it all back. Based on true events, this is the story of the Nineveh SWAT team, a renegade police unit who waged a guerrilla operation against ISIS in a desperate struggle to save their home city of Mosul.
-2
Comedies Honest, introspective comic Simon Amstell digs deep and delivers a uniquely vulnerable stand-up set on love, ego, intimacy and ayahuasca.
2
The story about Argentinian boxer Carlos Monzón in his career and life in prison.
-1
The ventriloquist, Jeff Dunham, taped his second Netflix special in his hometown of Dallas, TX in the American Airlines Center. He returns with his normal cast of characters including Walter, Bubba J, Peanut, José Jalapeño on a Stick, Achmed the Dead Terrorist, and one of his newest additions Larry, a high strung, chain-smoking, on-again, off-again personal adviser to the President.
-1
Jack Whitehall invites his notoriously stuffy father onstage in London's West End for a Christmas comedy extravaganza, complete with celebrity guests.
-2
Pro cycling’s Movistar Team sets their sights on victory while on the road as they face challenges, controversy and internal conflict.
-1
After the murder of his parents when he was a little kid, Mexican Miguel Garza is sent away to Japan. 20 years later, he has to go back to his home country as the new heir of his family's cartel.
-1
Based on Sakyo Komatsu's 1973 bestseller sci-fi novel "Japan Sinks." The story is set right after the 2020 Tokyo Summer Olympics, and follows the fate of the four members of the Muto family, including the protagonist girl Ayumu and her younger brother Gou.
0
After kissing his wife and baby goodbye for a seemingly normal business trip, Reed checks himself into a hotel room to accomplish something he’s always dreamed of: the perfect murder. As his sinister plans unfold, he soon realizes he might be in over his head with a mysteriously unhinged call girl named Jackie.
-1
In and around Lucknow University in 1989, couples of varying ages explore the politics of love through marriage, budding romances and friendships.
1
Nadiya Hussain’s Time To Eat promises recipes that can be cooked in a hurry but have buckets of flavour.
1
After taking a very nasty fall on Christmas Eve, grinchy Jorge blacks out and wakes up one year later, with no memory of the year that has passed. He soon realizes that he’s doomed to keep waking up on Christmas Eve after Christmas Eve, having to deal with the aftermath of what his other self has done the other 364 days of the year.
-3
Data—arguably the world’s most valuable asset—is being weaponized to wage cultural and political wars. The dark world of data exploitation is uncovered through the unpredictable, personal journeys of players on different sides of the explosive Cambridge Analytica/Facebook data story.
-3
Tiuri, a teenage squire, answers a call for help that sends him on a perilous mission across the three kingdoms to deliver a secret letter to the King.
-1
When Roger (a Robin Hood-esque, stray dog) and Belle (an elegant yet spoilt pet cat) are thrown together amidst the chaos of a robot take-over of their home city, they must push all their preconceptions aside in order to survive, as they embark on a high-stakes, action-packed adventure.
0
A socially awkward teen bonds with a group of misfits who plot to abduct the school's arrogant rich kid -- until their kidnapping scheme turns deadly.
-4
Los Favoritos de Midas is based on the 1901 short story by Jack London. The six-part series follows Victor, a rich businessman, who is blackmailed in a strange way by a mysterious organization.
-1
After surviving an IED explosion in combat overseas, a young soldier with the Army Motorcycle Unit is medically discharged with a broken back and leg. Against all odds he trains to make an impossible comeback as a motocross racer in order to support his family.
-1
The story takes place at a time in Joseon history, when upheaval and power struggles surrounding the throne had reached extreme levels. In order to escape those who plan to assassinate him, the king puts a clown, who looks exactly like him, on the throne.
-2
When a retiring assassin realizes that he is the target of a hit, he winds up back in the game going head to head with a gang of younger, ruthless killers.
-3
Discovered by an eccentric ballet master, two gifted but underprivileged Mumbai teens face bigotry and disapproval as they pursue their dancing dreams.
-1
Xie Lian, the crown prince of Xian Le Kingdom, successfully ascends to Heaven during his third trial in spite of successive demotions. However, he accidentally breaks the Gold Palace of heavenly officials. With no human worshiping him, Xie Lian has to descend to the secular world to exorcise ghosts, which may help him sustain his divinity.
2
A dreamlike conversation with the past and the present, reimagining Latasha Harlins' story by excavating intimate memories shared by those who loved her.
2
To survive in a dog-eat-dog world, two rival lawyers with high-class clientele tear apart anything that stands in the way of their ambitions.
-1
A master thief who uses her skills for good, Carmen Sandiego travels the world foiling V.I.L.E.'s evil plans -- with help from her savvy sidekicks.
3
Country artist Coffey Anderson and his wife, hip-hop dancer Criscilla, juggle family life, career goals and tests of faith in this reality series.
1
Home2Home tells the story of Dennis Kailing who travels 43,600 km (27,000 miles) through 41 countries on 6 continents to circumnavigate the planet in 761 days. He does it on a bicycle - on his first bike journey ever. With the question "What makes you happy", but without experience in bike traveling, the 24-year-old from Germany jumps into the deep end and simply sets off - always heading east.
1
A Pregnant Liss Pereira shares hilariously uncomfortable truths about sex, love, attraction and the lies we tell in modern relationships.
1
Nnamdi Okeke son of Andy Okeke from Living In Bondage 1 is an ambitious young man who wants more out of life. Snag is, he can’t afford the kind of life he wants with.....
0
A girl, a dog and her best pal set out to save a mountain from a gold-hungry corporation. But the key lies closer to home, with her sidekick pup, Xico.
0
To rescue his daughter, an unstable Special Forces veteran unleashes his inner beast as he pursues her kidnappers — and soon becomes a suspect himself.
-2
In his first stand-up special, Arsenio Hall discusses getting older, the changing times and culture, social issues and even bothersome baby toes.
-2
Christmas brings the ultimate gift to Aldovia: a royal baby. But first, Queen Amber must help her family and kingdom by finding a missing peace treaty.
1
On her 40th birthday, Tiffany Haddish drops a bombastic special studded with singing, dancing and raunchy reflections on her long road to womanhood.
-1
From the mind of Iliza Shlesinger comes a secret world filled with absurd characters, insight into the female experience, and irreverent yet poignant social commentary.
0
Hired as a monkey repeller upon moving to Delhi, a young man struggles to find his footing in his unenviable job and his place in the unforgiving world.
-2
Exploring the fallout of MIT Media Lab researcher Joy Buolamwini's startling discovery that facial recognition does not see dark-skinned faces accurately, and her journey to push for the first-ever legislation in the U.S. to govern against bias in the algorithms that impact us all.
-1
Do-Hoon and Soo-Jin are a married couple. Do-Hoon learns that he has Alzheimer's disease. He decides to divorce Soo-Jin out of concern for her future. The couple divorces.

6 years later, they meet again.
-1
The Path of the Anaconda narrates memories and reflections about the jungle, but also the final effort to save the northern Amazon forest from destruction, establishing an ecological corridor that connects the Andes Mountains with the Atlantic Ocean through eight countries. Almost 50 years after shaking hands for the very first time, the writer and explorer Wade Davis, author of the book The River, and anthropologist Martín Von Hildebrand, who has devoted his life to protecting the Amazon, meet again to carry out a trip up the rivers and paths that were traveled earlier by the legendary botanist Richard Evans Schultes.
0
A locally famous radio host has to deal with his ex-wife, who he still loves, and his two children.
2
Brené Brown is a research professor at the University of Houston Graduate College of Social Work. She has spent more than a decade studying vulnerability, courage, authenticity and shame. With two TED talks under her belt, Brené Brown brings her humor and empathy to Netflix to discuss what it takes to choose courage over comfort in a culture defined by scarcity, fear and uncertainty.
3
We are in 2030, and on vacation we go to Mars!  Having made his wife and son Giulio lose his tracks for years, Fabio (Christian De Sica) is about to marry the wealthy Bea on Mars. But what could happen if during an excursion into space, something goes wrong and Giulio suddenly becomes a sprightly old man (Massimo Boldi)? Between hilarious unexpected events and amusing misunderstandings, Fabio will find himself dealing with a seventy-year-old son and a marriage that is in danger of jumping ...
-3
A student must navigate issues of sexuality, identity and family amid Sri Lanka's social turmoil of the 1970s and 1980s.
-2
When troubled musical prodigy Charlotte seeks out Elizabeth, the new star pupil of her former school, the encounter sends both musicians down a sinister path with shocking consequences.
-2
A retired priest hunted by his sins is pulled back into darkness when a friend begs him to help his possessed daughter.
-2
The extraordinary life of beloved acting teacher and theatre producer Wynn Handman is recalled in this portrait of a provocative, innovative artist.
2
An intimate look at Audrey Hepburn's life, with access to exclusive never-before-seen footage from her family's personal collection, providing an unprecedented and insightful view on Audrey, her life and her dreams, aspirations and her everlasting legacy.
4
Megastar Jay Chou joins his A-list friends in this globe-trotting variety show packed with music and magic tricks.
1
After her best friend dies, Barbs starts a new life as a straight man named Bobby, which leads her to Trisha's ex-boyfriend Michaelangelo, to her own ex-boyfriend Greg and to a woman claiming she is pregnant with Barbs' child.
2
Amy, an 11-year-old girl, joins a group of dancers named “the cuties” at school, and rapidly grows aware of her burgeoning femininity—upsetting her mother and her values in the process.
0
Inspired by the life of a fearless young officer who made history by becoming the first Indian female Air Force officer to fly in a combat zone during the 1999 Kargil War
1
After getting dropped from an elite program, a student gets tangled in the affairs of a high school gang while trying to find her own identity.
0
Painter Lorenzo's life spirals out of control as he fears his wife is trying to isolate him from their infant son.
-2
Director Alfonso Cuarón reflects on the childhood memories, period details and creative choices that shaped his Academy Award-winning film 'ROMA.'
1
An emotionally unstable murder suspect explains the modus operandi behind the crimes he had committed to a few cops which helps in unfolding some intriguing revelation.
-2
After accepting an invitation from a mysterious trainer, Ash, Misty and Brock meet Mewtwo, an artificially created Pokémon who wants to do battle.
-1
A money-hungry lawyer and a righteous rookie become an unlikely courtroom duo in this remake of the Japanese series of the same name.
0
An inept magician pulls off the trick of his life: accidentally disappearing a wanted criminal during a police raid. Now he's going to pay for that.
-3
Pharrell Williams's hometown community leaders attempt to build one of the world's most inspiring gospel choirs.
1
Northern Spain, October 1944. Several groups of guerrilla fighters, former Republican soldiers exiled in France after the end of the Spanish Civil War, infiltrate the country in order to provoke a popular uprising against General Franco's dictatorship.
-1
When their 4-year-old son is murdered, a young couple fights a twisting and arduous battle trying to identify a frustratingly elusive killer.
-3
During an NBA lockout, a sports agent, Ray Burke, presents his rookie client, Erick Scott, with an intriguing and controversial business opportunity.
0
Every six years, an ancient order of jiu-jitsu fighters joins forces to battle a vicious race of alien invaders. But when a celebrated war hero goes down in defeat, the fate of the planet and mankind hangs in the balance.
0
A love letter to pork belly -- a perennial favorite among Koreans of every generation -- unfolds with an exploration of its history and cooking methods.
2
Charismatic, charming and complex, Sérgio Vieira de Mello was the world's go-to guy, a man who could descend into the most dangerous places, charm the worst war criminals, and somehow protect the lives of the ordinary people to whom he'd devoted his life. The documentary tells the story of his most treacherous mission ever... a mission in which his own life hangs in the balance.
-2
A timid, small-town comedian's long-awaited big break takes a dark turn when he realizes committing murder is the only way to keep his onstage mojo.
-4
After discovering his estranged daughter's link to mysterious murders, a forensic detective with Asperger's syndrome risks everything to solve the case.
-5
The team of Queer Eye take their gorgeous, uplifting make-over skills to the Land of the Rising Sun.
2
Marta may be an orphan, and she may be affected by a lethal illness, yet she is the most positive person one can meet. She wants a boy to fall for her. Not any boy - the most handsome of them all. One day, she may have found her match.
-2
Milan, Italy, 1967. Santo Russo, a boy of Calabrian origin, arrives north with his parents and younger brother to find better living conditions. Due to an absurd misunderstanding and his father's contempt, Santo ends up in prison, where he gets a “true education.” In 1978, he and his friends Slim and Mario embark on a 15-year criminal career, a successful and ruthless spiral of robberies, kidnappings, murders and heroin smuggling.
-5
Chris D'Elia takes the stage in Minneapolis to offer his thoughts on everything from self-censorship to problematic dolphins to lame mutant powers.
-2
Comedian Taylor Tomlinson is halfway through her 20s — and she's over it. From dating losers to a failed engagement, she takes aim at her life choices.
-2
As his children plot his death to claim their inheritance, an aging patriarch leaves home, befriending a spunky boy who adds direction to his life.
-2
A medieval English knight is magically transported to present-day America where he falls for a high school science teacher who is disillusioned by love.
-1
Charismatic Mía gets a scholarship to an elite performing arts school, where she makes close friends but clashes with the owner's popular daughter.
2
Comedian George Lopez tackles the future and the past of Latinx culture in America, touching on immigration, his tough relatives, aging and much more.
1
Sara, Lucía, Sofía and Claudia are sisters, 4 modern women with very different personalities, who come together at their mother's funeral, after which they discover the man they've all called "dad" throughout their lives is not really their father. They embark on a quest to discover who their real fathers are, discovering more about themselves, their mother, and their lives.
1
The movie revolves around a young girl who has the ability to know events before they happen. Will this special ability that she possesses become a curse or a blessing for those around her?
0
Travel show
0
In the twelve years of Tianbao, Kong Hongjun, a handsome young man who is not familiar with the world, left the Yaojin Palace on the Taihang Mountain with three important tasks, and came to Chang'an, which is full of prosperity. Kong Hongjun first entered the Datang Exorcism Division, and the head supervisor was actually Long Wujun general Li Jinglong who had dealt with it not long ago. But he accidentally broke the Chen's heart lamp, and the heart lamp entered Li Jinglong's body. In the light and shadow of the lamp, there are the bright red lights of Pingkangli, the exorcism of the sycamore in the summer sunshine, the vast sky and sand and flying snow, the peaceful singing of Artai. Mo Rigen and Lu Xu picked off early morning leaves, Qiu Yongsi's flying strokes. Adaptation of Fei Tian Ye Xiang's (非天夜翔) web novel of the same name.
4
A bright student in Nigeria takes on the academic establishment when she reports a popular professor who tried to rape her. Based on real events.
1
The story of Allan Kardec, from his days as an educator to his contribution to the spiritist codification.
1
Tom Segura scores laughs with uncomfortably candid stories about mothers, fathers, following your dreams — and other things you'd rather not think about.
-1
A romantic comedy that brings out the intricacies and absurdities of the Nairobi dating scene.
0
A group of characters is implicated in the murder of Angelica. They all walk on a razor's edge searching for the truth, waiting for a verdict, which will establish, in a way or another, a new course for their lives.
-1
The stories of ambitious career women working at the top of the best portal sites in the IT industry. Paved with wins and losses, their road to success takes a new turn when love comes along the way.
5
Follows a mother's tireless crusade to jail her daughter's murderer after Mexico's justice system failed to do so.
-2
David Spade, Fortune Feimster and London Hughes welcome guests from Tiger King, Emily in Paris, The Queen's Gambit, and more.
1
A commitment-phobic 27-year old’s relationship is put to the test when she and her boyfriend attend 7 weddings in the same year.
0
Go inside La Línea, the Spanish beach town turned into Europe's drug trafficking hub, and meet the law enforcement officials determined to change that.
0
One football match on a dirt pitch near Rome becomes a day of reckoning as a young player, his coach and their team's owner wrestle internal demons.
-3
Go backstage with beloved rap superstar Gims in the year leading up to his major 2019 Stade de France performance in this up-close documentary.
2
An enigmatic conservative Christian group known as the Family wields enormous influence in Washington, D.C., in pursuit of its global ambitions.
-1
Sky is beautiful single female astronomer at a planetarium and has received a gift: a thick wooden-covered book and magic pen from Vanda, her aunt who has been taking care of Sky since childhood and is a crazy writer who is suffering from amnesia.
0
The Fable is a legendary yakuza hitman equal to none—but his boss orders him and his sultry associate to lay low and learn how to live a "normal life" in Osaka.
1
The BattlBox crew tests out products designed to help people survive dangerous situations, including explosions, natural disasters and intruders.
-2
Based on the 1994 robbery of US$33 million from Colombia's central bank, which turned the country upside down.
0
Nikki Glaser bares all in a blistering stand-up special about sex, sobriety and getting over her own insecurities. And she won't spare you the details.
-2
An honest lawyer reaches a moral crossroads after the cops force her to inform on her incarcerated brother, the leader of a rising criminal faction.
0
Korea's beloved comedian and favorite big sister figure talks sex, relationships and celebrity life. And she's sassier and dirtier than ever before.
2
The adventures of a care-free Chicken named Archibald.
0
Rehema, the daughter of a rich businessman Adam Mbena is kidnapped by an infamous gang of criminals. Adam is extorted and has only 24 hours to pay a ransom or lose his only beloved daughter. Adam seeks help from Faith Komba, a detective officer and her squad of three young agents Paul, Baraka and Santos to rescue Rehema as soon as possible. Nyara is the debut feature film from Wanene Entertainment, and is set to release in cinemas all over Tanzania on the 30th of December.
0
The drama series tells the story of five high school students as they struggle with sexual, racial and economic politics and fight to succeed and become somebody.
0
Hundreds of refugee children in Sweden, who have fled with their families from extreme trauma, have become afflicted with 'uppgivenhetssyndrom,' or Resignation Syndrome. Facing deportation, they withdraw from the world into a coma-like state, as if frozen, for months, or even years.
-4
After a necromancer takes over the magical world of Idhun, two adolescent earthlings help fight an assassin sent to kill all Idhunese refugees on Earth.
-1
Paco Ignacio Taibo II brings his book trilogy to life, highlighting Mexico's history in 1854-1867, a period he considers foundational to the country.
0
The last in a line of Chosen Ones, a wannabe chef teams up with a homicide detective to unravel an ancient mystery and take down supernatural assassins.
-3
Actor, comedian and writer Fortune Feimster takes the stage and riffs on her southern roots, sexual awakenings, showbiz career and more.
1
Ariana Grande takes the stage in London for her Sweetener World Tour and shares a behind-the-scenes look at her life in rehearsal and on the road.
0
A detective jumps to 30 years into future while chasing a killer through a tunnel. The murders which stopped 30 years ago are going to start again. Can the detective find the killer and return to his original time or is he going to lose more people in the chase of cat and mouse?
-4
takes two complete strangers who each think they're starting their first day at a new job. It's business as usual until their paths collide and these part-time jobs turn into full-time nightmares.
-2
A promising young lawyer sees her plans to wed into an important and ultraconservative family in danger when her grandma decides to marry her girl friend.
1
Determined to escape a dead-end life, a gifted high school student turns to a world of serious crime to ensure he can pay for college.
0
In this documentary, survivors recall the catastrophic 2018 Camp Fire, which razed the town of Paradise and became California’s deadliest wildfire.
1
After discovering a magical mask, an 11-year-old aspiring wrestler enters a competition to become the next WWE superstar by using special powers from a magical mask.
2
Isi and Ossi couldn't be any more different: She's a billionaire's daughter from Heidelberg, he's a struggling boxer from the nearby town of Mannheim. But when Isi meets Ossi, the two quickly realize that they can take advantage of one another: She dates the broke boxer to provoke her parents and get them to fund a long-desired chef training in New York. He tries to rip off the rich daughter to finance his first professional boxing match. Their plans soon develop into emotional chaos that challenges everything the two believe to know about money, career and love.
-2
Fate plays a vital role in connecting the life of Bantu, a son who seeks validation from his cold-hearted father with the life of Raj, whose millionaire father wishes that he was more assertive.
0
An aging soccer fanatic faces down the reality of his past while struggling to give himself and a young follower very different futures.
-2
Two brothers — one a narcotics agent and the other a general — finally discover the identity of the drug lord who murdered their parents decades ago. They may kill each other before capturing the bad guys.
-2
A documentary chronicling Queen and Lambert's incredible journey since they first shared the stage together on "American Idol" in 2009.
2
During 18th century India, the Marathas emerged as the most powerful empire in the nation until the Afghan King Ahmad Shah Abdali plans to take over India. Sadashiv Rao Bhau is brought in to save the empire from the king which then leads to the third battle of Panipat.
2
In 1994, on the first day that Yoo Yeul went on air as the new DJ of the popular radio show Music Album, a college girl Mi-su meets Hyun-woo who happens to drop by the bakery she works at. Like the music streaming from the radio, their frequencies slowly come in sync; even when they're apart, the show brings them together through ebbs and flows of events arising from both pure coincidence and inevitability, until the bitter reality sets in and drives them apart.
2
Sudou Kaname, an ordinary high school student, receives an invitation email to try a mysterious app called "Darwin's Game." Kaname, upon launching the app, is drawn into a game where players fight one another using superpowers called Sigils. Without knowing the reason for all this, can Kaname survive furious battles against the powerful players who attack him?
-2
As two teen prodigies try to master the art of time travel, a tragic police shooting sends them on a series of dangerous trips to the past.
0
Fearing rejection, a young man struggles to declare his feelings for his best friend, who soon falls for another man — until a fateful incident.
-3
A pampered dog named Trouble must learn to live in the real world while trying to escape from his former owner's greedy children and must learn how to survive on the big-city streets.
-1
Decades after his play first put gay life center stage, Mart Crowley joins the cast of the 2020 film to reflect on the story's enduring legacy.
0
Amidst a heroin crisis, Vincenzo Muccioli cared for the addicted, earning him fierce public devotion -- even as charges of violence began to mount.
-3
All venue tickets sold out on the same day, for 5 major dome concerts of Hoshino Genso's “POP VIRUS” seen by 330,000 people! This Netflix special shows the performance of Tokyo Dome, focusing on songs from the latest album “POP VIRUS”, NHK Asadora theme song “Idea”, blockbuster song “SUN”, as well as Hoshino's unique music portfolio, including “Koi”, “Family Song”, “Doraemon”, with choreography by MIKIKO (Elevenplay) and more, on a setlist of 23 songs, including encore. The content is plentiful enough to pack the charm of the dome performance.
3
After rescuing Daniel from the terrorist Black Mask Organization, the team uncovers plans for a deadly bomb set to detonate in 36 hours that threatens world order. With no time to recover, Daniel must throw his life back on the line as he and his elite team of soldiers race against time to find the bomb and defeat their enemy once and for all. Outnumbered and overmatched, each soldier must find their inner strength and skill to overcome insurmountable odds.
-1
A Christmas reunion becomes a gateway to the past in this three-part series that explores the intimate complexities of one family's history.
1
In 1934, Frank Hamer and Manny Gault, two former Texas Rangers, are commissioned to put an end to the wave of vicious crimes perpetrated by Bonnie Parker and Clyde Barrow, a notorious duo of infamous robbers and cold-blooded killers who nevertheless are worshiped by the public.
-5
Home cooks compete to transform leftovers into delicious creations, finding ways to give old leftovers new life, all in the hopes of winning a $10,000 prize.
3
We are surrounded by all kinds of sounds, but how far are we conscious about them? The director and investigator Raquel Castro has been working with the concept of sound landscape. And in particular the way sounds, silences, noises, frequencies and all spectral densities - infra or ultrasounds - can shape each place and all of us. This is also a film essay about citizenship, ecology, and the responsibility we have for the sounds we produce.
-1
Two cops must contend with the uncooperative tenants of an apartment complex as they try to solve a murder before the crime scene is wiped clean.
-4
At a birthday party in 1968 New York, a surprise guest and a drunken game leave seven gay friends reckoning with unspoken feelings and buried truths.
-1
After his grandfather's death, a young man decides to fulfill his elder's last wish with the help of his new friends. The problem starts when he falls in love with a female friend who may not feel the same.
-2
Embracing his belief that comedy is the last raw form of expression, Deon Cole explains the right time to thank Jesus and the wrong time to say "welp."
1
In this fun, fast-paced music contest hosted by Tituss Burgess, players sing their hearts out and try to hit the right notes to win up to $60,000.
4
When a newly married landlord is murdered, a misfit cop’s investigation is complicated by the victim’s secretive family and his own conflicted heart.
-4
Nearly 30 years after her mom's murder, a political strategist launches a calculated plan to ruin the Colombian presidential candidate who killed her.
-3
A counter-terrorism expert takes a job protecting a young heiress. After an attempted kidnapping puts both of their lives in danger, they must flee.
-2
Still the ultimate comedy party animal, Bert Kreischer tells more stories about parenthood and family life in a stand-up special from Cleveland.
0
A penniless country boy goes in search of his runaway sister in Bogotá, where he falls for an aspiring singer, but gets tangled up in organized crime.
-4
A dynamic young entrepreneur finds herself locked in a hotel room with the corpse of her dead lover. She hires a prestigious lawyer to defend her and they work together to figure out what actually happened.
3
An aspiring pilot fights for her future -- and justice -- after surviving an acid attack from her abusive boyfriend.
-2
When a tsunami strands dozens of teens on an island at their private school, they soon realize no rescuers are coming and they must save themselves.
0
The story revolves around a young man, Vikram, who is a fashion prodigy. The story is layered with a murder in town.
0
A woman who grows up in the shadow of her mafia-affiliated father. She defies his wishes and takes a gig as an undercover bodyguard for a famous actress.
1
Adapted from the video game series of the same name, NiNoKuni follows high school peers Yuu and Haru who must travel between two separate yet parallel worlds to help save their childhood friend, Kotona, whose life is in danger. In this magical quest complicated by love, the three teens will be tasked with making the ultimate choice.
0
For more than forty years, Argentinean sportsman Guillermo Vilas, a tennis legend, has tirelessly demanded that the official rankings (1973-78) be revised in order to finally be recognized as the best player in the world. Eduardo Puppo, a sports journalist, making Vilas' demand his own, fought for more than ten years against a powerful sports corporation to prove that Vilas was indeed unfairly displaced from the top of world tennis.
1
A drama film directed by Megha Ramaswamy, starring Priyanka Bose, Manu Rishi Chadha and Yashaswini Dayama in the lead roles.
1
Six-year old Hank and his best pal, a giant trash truck, explore the world around them on fantastical adventures with their animal friends.
0
M'Dear and her sisters struggle to keep their singing act together before a church Christmas pageant while Grandpa teaches the kids a valuable lesson.
0
With nuclear war looming, a military expert in underwater acoustics strives to prove things aren't as they seem—or sound—using only his ears.
0
After a tragedy at a school sends shock waves through a wealthy Stockholm suburb, a seemingly well-adjusted teen finds herself on trial for murder.
-2
After his sudden firing, a popular radio DJ moves in with his aunt, bringing along his four spoiled children, and a plan to return to the airwaves.
0
Ronny Chieng ("The Daily Show," "Crazy Rich Asians") takes center stage in this stand-up special and riffs on modern American life and more.
1
An investigative look and analysis of gender disparity in Hollywood, featuring accounts from well-known actors, executives and artists in the Industry.
1
This artful and intimate meditation on the legendary storyteller examines her life, her works, and the powerful themes she has confronted throughout her literary career. Toni Morrison leads an assembly of her peers, critics, and colleagues on an exploration of race, history, the United States, and the human condition.
4
From trying to seduce Prince to battling sleep apnea, Leslie Jones traces her evolution as an adult in a joyfully raw and outrageous stand-up special.
0
A timid old man is summoned by his chairman to become the manager of Tokita Ohma, a highly skilled gladiator who only cares about fighting and winning in the Kengan matches.
1
In 1917, outside the parish of Fátima, Portugal, a 10-year-old girl and her two younger cousins witness multiple visitations of the Virgin Mary, who tells them that only prayer and suffering will bring an end to World War I.  As secularist government officials and Church leaders try to force the children to recant their story, word of the sighting spreads across the country, inspiring religious pilgrims to flock to the site in hopes of witnessing a miracle..
0
In this stand-up special, comedian Hazel Brugger offers her breezy takes on unruly geese, chatty gynecologists, German bank loans and more.
-1
Nothing is off limits as Jimmy Carr serves up the most outrageous jokes from his stand-up career in a special that's not for the faint of heart.
-4
Photographer Estevan Oriol and artist Mister Cartoon turned their Chicano roots into gritty art, impacting street culture, hip hop and beyond.
-1
Luca follows in his father's footsteps to rescue his mother from evil Ladja. Finding the heavenly hero who wields the Zenithian sword is his only hope.
1
It follows the story of Meghna, who gets embroiled in a series of events after her phone gets stolen.
-2
In this documentary, Alex trusts his twin, Marcus, to tell him about his past after he loses his memory. But Marcus is hiding a dark family secret.
-1
In 2045, Spain like the rest of the western world has been driven into a dictatorial regime by the lack of natural resources. Life in the countryside is impossible, and in the city a fence divides peoples into the powerful, and the rest.
-1
The Environmental Clean-up Conference is off to anything but a smooth start when Tony Stark realizes his fellow competitor is his rival Justin Hammer!
-1
Malaal is the story of Shiva and Astha, two very different people from contrasting backgrounds who experience the innocence of love. Does their love find its destination or do they part ways? Stay on this journey to find out.
2
Game-world monsters are wreaking real-world havoc. Here comes tech support!
-1
Strange occurrences afflict a group of people after they purchase items on a shopping website from the future.
-2
Charming comic Michael McIntyre talks family, technology, sharks, accents and the time he confused himself for a world leader in this stand-up special.
-1
When a young Bogotá-based detective gets drawn into the jungle to investigate four femicides, she uncovers magic, an evil plot and her own true origins.
-1
It's up to True and her friends to save the day when a hungry Yeti sneaks a forbidden treat and fills the kingdom with Howling Greenies.
-2
Cambodia, once the ancient kingdom of Funan, April 17th, 1975. The entire country falls under the tyranny of Angkar, the communist party of the Khmer Rouge. The cities are abandoned, the population is thrown to the roads and forced to walk towards an uncertain future…
-3
A family must deal with the unresolved emotions and misunderstandings that deeply affect their relationships with each other. From the mother that wants to graduate from her marriage, to the daughter who discovers her husband's well-hidden secret, the family must learn to rely on and communicate with each other.
-2
Park Ranger Pablo Silva remakes his life in his new destination, a forgotten and troubled place that few want to go to, the Pereyra Iraola Park. Soon, under an apparent tranquility, he discovers a network of poachers, traffc and hoaxes. His old hunter instinct will arise. He can hide from everyone, except himself.
-1
Consumed by the mystery surrounding the donor heart that saved her life, a young patient starts taking on sinister characteristics of the deceased.
-1
Galifianakis dreamed of becoming a star. But when Will Ferrell discovered his public access TV show, 'Between Two Ferns' and uploaded it to Funny or Die, Zach became a viral laughing stock. Now Zach and his crew are taking a road trip to complete a series of high-profile celebrity interviews and restore his reputation.
-1
On India's Independence Day, a zany mishap in a Mumbai chawl disrupts a young love story while compelling the residents to unite in aid of a little boy.
0
One single Anne Frank moves us more than the countless others who suffered just as she did but whose faces have remained in the shadows-Primo Levi. The Oscar®-winning Helen Mirren will introduce audiences to Anne Frank's story through the words in her diary. The set will be her room in the secret refuge in Amsterdam, reconstructed in every detail by set designers from the Piccolo Theatre in Milan. Anne Frank this year would have been 90 years old. Anne's story is intertwined with that of five Holocaust survivors, teenage girls just like her, with the same ideals, the same desire to live: Arianna Szörenyi, Sarah Lichtsztejn-Montard, Helga Weiss and sisters Andra and Tatiana Bucci. Their testimonies alternate with those of their children and grandchildren.
2
The Magic School Bus kids blast into orbit - and onto the International Space Station - only to find themselves on the run from a giant tardigrade.
1
Welcome to a secret world where pups learn to be a human's best friend: PUP ACADEMY. Follow three unlikely puppies - and their human friends - as they work together to discover the power of friendship and create everlasting bonds between dogs and humans.
3
A boy named Eli with a rare autoimmune disorder is confined to a special experimental clinic for his treatment. He soon begins experiencing supernatural forces, turning the supposedly safe facility into a haunted prison for him and his fellow patients.
-1
The Hausa feature film is a story of love and the power of dreams in the midst of the violence and terrorism in Nigeria's northeast and is based on eyewitness account. It follows the story of a bright, promising girl, Salma who was held captive by a daring terrorist group along with 245 of her schoolmates. Despite her seemingly hopeless reality, she refuses to give up on her huge dreams. The struggle to regain freedom and realize her dreams leads to unfathomable pains and deaths.
0
In a short musical film directed by Paul Thomas Anderson, Thom Yorke of Radiohead stars in a mind-bending visual piece. Best played loud.
0
It's last week at school, but Simon's not studying for his finals. His parents have divorced and seem to be waiting for a change that never comes. Simon gets tired of waiting. Could he get a one-way ticket to the USA? Would it be possible to make objects explode from afar? And what if time could be reversed? Or if freedom is only to be found in movies?
-2
Martina was a famous singer in Argentina during the late 90s, who's become completely frigid and disenchanted with love. The arrival of a so-called sister, alongside her attractive boyfriend, compel Martina to go to Chile with one objective in mind: getting back her libido.
2
Thrust into Accra by circumstances, a 14-year-old girl from Northern Ghana must endure life in the slums of Accra, and find a way to get back home.
0
Tired of matchmaking by his mother, Ican brings a woman from a dating application and introduces her to Ros. Their family relations are warmed thanks to Arini and Ican starts to like her.
0
Stand-up comedian Urzila Carlson keeps the crowd roaring with her thoughts on recasting "The Biggest Loser," sex tape regrets and boxed wine hangovers.
-2
A Zimbabwean single mother's life is turned upside down when her son enters her into a reality TV cooking competition.
0
Francisca, a beautiful 50-year-old widow (played by Maria de Medeiros), prepared a peaceful future for herself. In an unexpected outburst, she grabs an opportunity for change and embarks on a sailboat called ‘Hovering Over the Water’.
0
Elite street racers from around the world test their limits in supercharged custom cars on the biggest, baddest automotive obstacle course ever built.
-1
Alien reporters Ixbee, Pixbee and Squee travel to a lovely but odd planet called Earth, where they attempt to make sense of humans and their hobbies.
0
Dave Chappelle takes on gun culture, the opioid crisis and the tidal wave of celebrity scandals in this defiant stand-up special.
-3
A government agency recruits teen driver Tony Toretto and his thrill-seeking friends to infiltrate a criminal street racing circuit as undercover spies.
-1
Three young friends in Goa plan to search an old villa for ghosts, but when a new family moves in, the home's buried past resurfaces in chilling ways.
0
Two rival brothers must work together to keep their brewery in business, but shenanigans keep foaming up their company with chaos.
-1
Charlie creates fun stories using different shapes, and he needs your help! Take off for adventures in outer space, the Wild West -- and right at home.
1
It’s summer again, and everyone’s favorite Junior Rescuers, The Flounders, are back at Tower 2. With the International Junior Rescue Championships headed to Southern California, the eyes of the entire planet are on Malibu Beach. But when Team USA falls victim to a bout of food poisoning, it’s up to Tyler, Dylan, Eric, Lizzie and Gina to represent their country in the world's most extreme lifeguard challenge!
-1
In Lagos, Nigeria, young, naive Nigerian journalist Òlòtūré goes undercover to expose the shady underworld of human trafficking. Unused to this brutal environment, crawling with ruthless traders and pimps, Òlòtūré finds warmth and friendship with Blessing, Linda and Beauty, the prostitutes she lives with. However, she gets drawn into their lifestyle and finds it difficult to cope. In her quest to uncover the truth, she pays the ultimate price - one that takes her to the verge of no return.
-2
The fun, fondant and hilarious cake fails head to Mexico, where very amateur bakers compete to re-create elaborate sweet treats for a cash prize.
3
From the Vedas to Vasco de Gama to vacuous Bollywood plotlines, comedian Vir Das celebrates the history of India with his one-of-a-kind perspective.
0
This documentary spotlights Debbie Allen's career and follows her group of dance students as they prepare for Allen's annual "Hot Chocolate Nutcracker," a reimagining of the classic ballet.
2
Story of Failed Gujarati Businessman, who jumps into unknown world of China to get once in a life time business idea, which will change his life.
-2
A 2019 stand-up comedy special by comedian Mike Epps, where he tackles sexual misconduct, special education, aging body parts and more.
0
Mary Ann returns to present-day San Francisco and is reunited with her daughter and ex-husband, twenty years after leaving them behind to pursue her career.  Fleeing the midlife crisis that her picture-perfect Connecticut life created, Mary Ann is quickly drawn back into the orbit of Anna Madrigal, her chosen family and a new generation of queer young residents living at 28 Barbary Lane.
-3
The daily lives and loves of four professional women in South Africa who are all in different stages of their own real-life baby mama drama.
1
You drive the action in this interactive adventure, helping Carmen save Ivy and Zack when V.I.L.E. captures them during a heist in Shanghai.
1
Go backstage with French rap duo Bigflo & Oli in this intimate music documentary, then join the superstar siblings as they embark on a major tour.
1
Ruka is a young girl whose parents are separated and whose father works in an aquarium. When two boys, Umi and Sora, who were raised in the sea by dugongs, are brought to the aquarium, Ruka feels drawn to them and begins to realize that she has the same sort of supernatural connection to the ocean that they do. Umi and Sora's special power seems to be connected to strange events that have been occurring more and more frequently, such as the appearance of sea creatures far from their home territory and the disappearance of aquarium animals around the world. However, the exact nature of the boys' power and of the abnormal events is unknown, and Ruka gets drawn into investigating the mystery that surrounds her new friends.
-3
Cintia is modern princess, she's connected, decided and loves music. This "pop" princess used to live with their parents in a huge castle with a nice view to the city. Every night she looked through the window and watch the view dreaming with a prince she didn't met yet. But one day her castle crumbles with everything around her, after her parents divorce she went to live with her aunt and stops believing in love.  What she didn't knew was that there was a charming prince in her history, that wanted to break the ice around our modern day cinderella.
5
The story of Koko, a young boy raised by Pokémon, and the creation of a new bond between humans and Pokémon.
0
The owner of a Paris jazz club gets tangled up with dangerous criminals as he fights to protect his business, his band and his teenage daughter.
-2
Two strangers meet on a journey from Ankara to Izmir. Although having a rough start, their relationship takes a different path when they realize they have to confront themselves and would like to clean the slate as they get to know each other.
-1
Omar gets an office job at Relotech, where he becomes the boss's favourite, which is great, until it’s not.
1
A music shop owner falls in love with a girl from a circus troupe that visits his village, but caste and class stand in the way.
0
Back at home, Chuck relates the island shenanigans of his larva pals Red and Yellow to a skeptical reporter in this movie sequel to the hit cartoon.
-1
The times and life of the unique Ella Fitzgerald.
0
With his carefree lifestyle on the line, a wealthy charmer poses as a ranch hand to get a hardworking farmer to sell her family's land before Christmas.
2
In 1900, A rich newcomer with a shady past arrives in Munich determined to crash the local Oktoberfest with his own brewery. But when his daughter falls in love with the heir to a rival brewery, a violent chain of events is unleashed that will threaten both families' futures.
-4
A hilarious story of a 36-year-old jobless man Pushpender, trying to find a wife and Anita who's also looking for a husband. But there's a catch - Anita wants to settle abroad after marriage.
0
Hoping to make a comeback after a bad scandal, an actress agrees to research a new role by taking a job as a secretary for a prickly attorney.
-2
Bem is the ultimate guy. With good looks, sweet mouth and with an intellect that can only be rivaled by his humour. When Bem is approached by an old friend, Wole Baba, about a job, his first thought is to walk away as he fears the heat that will come with such job. The job is simple enough; there is a stack of forty-two million dollars hidden away in an apartment owned by an unknown politician. If Bem can move the money, he can keep it but for a large chunk that goes to his contact as finder's fee. But when the dangerous man he duped earlier threatens his life, he decides to give it a shot. He reunites with his former partner, Jerome, who left the game after marriage and they both start to plan what could possibly be the greatest heist the country has ever witnessed. After several impossible suggestions, Bem and Jerome come up with a dicey plan. They start to navigate the several problems they could encounter and what was supposed to be a two man job turned to a six man job with every single one of them having an ulterior motive of being on the job.
-1
Rishi and his girlfriend Adithi are on their way to visit Rishi's father and their car breaks down. A stranger offers them a stay at his house. What is Rishi's connection with the stranger, and how does they come out of the weird situation
-4
In his hometown of Toronto, Shawn Mendes pours his heart out on stage with a live performance in a stadium packed with adoring fans.
1
Alejandro is an ordinary man, in the year 2018 he has a unique opportunity: to travel in a very close way along a Buddhist monk who lived 50 years in the Himalayas and accompanied the most recognized masters of Tibetan Buddhism
1
Activists around the world fight injustice and drive social change in this documentary that follows their participation in the music video "Solidarité."
-1

0
A story about four children living in a Mumbai slum in India. An eight-year old Kanhu writes a letter to the Prime Minister after a dramatic incident with his mother.
0
On the surface Kitty, Margot, Bree and Olivia appear to have nothing in common - but there’s one passion which unites them: to expose injustice. They form their own secret society, DGM - they Don’t Get Mad, they Get Even - playing anonymous pranks to expose bullies.
-2
In his second comedy special, Daniel Sosa reflects on his childhood, Mexican traditions and the problem with the movie Coco.
-1
As Ayu and Ditto finally transition from best friends to newlyweds, a quick pregnancy creates uncertainty for the future of their young marriage.
1
In the summer of 1940, Amalia, a young high-class Jew discovers love with Marthin Muller, a Nazi officer.
1
In a small Arctic town struggling with the highest suicide rate in North America, a group of Inuit students' lives are transformed when they are introduced to the sport of lacrosse.
-2
Natalia Oreiro's story is absolutely unique. She is the only performer from Rio de la Plata and one of the very few Latin American performers who, despite language and cultural barriers, has become a popular symbol in such different countries as Czech Republic, Poland, Russia and Israel, This film is an attempt to uncover the phenomenon.
1
An ordinary morning at a small-town High School turns into a nightmare when anonymous figures in masks have committed a massacre leaving four dead students.
-3
Before the events of S1, Juanquini, El Ñato and Captain González shared one Christmas wish: being courageous enough to change their lives. One mysterious character, El Dañado, could be the one who makes their dreams come true.
1
This is the story of Catalina, the indigenous woman who gave away her soul, her heart and her life to a conqueror. "The Queen and the Conqueror" rebuilds one of the first love stories that took place in America, between an indigenous woman and a Spaniard. After establishing the city of Cartagena, Pedro de Heredia, motivated by the need to save his brother, betrays Catalina. Heartbroken, she escapes, only to come back 18 years later, as a grown woman. In her soul, her only mission is: revenge. To end Pedro de Heredia's life, the same way that he, after making her fall for him, ended hers.
-1
During a bloody night, a young man and his lover are struggling, not to get to the hospital, but to escape and survive.
-1
In order to receive a bone marrow transplant quicker and be able to continue her career as an actress, Xia Lin enters into a secret marriage with Ling Yi Zhou, the CEO of a company. Despite the conspiracies and misunderstandings they encounter, the two find true love.
0
Near by Christmas, in an old and charming town in Transylvania, Sebastian and Aprilia start a beautiful love story. However, nothing is as simple as it would seem. Being influenced by three men with strong personalities, Aprilia needs to find the balance between adulthood and the choices of a young girl's heart. It's Christmas time and life holds for this talented beautiful girl only the presents that she is strong enough to grab.
8
While vacationing on the crowded beaches of Riccione, a group of teenagers becomes fast friends as they grapple with relationship issues and romance.
-2
Working incognito at his rich dad's company to test his own merits, Teto falls for Paula and tells her he grew up poor, a lie that spins out of control.
-1
Nova Scotia’s favorite miscreants have always been super sketchy. Now, carrying on from the Season 12 finale, the boys have become complete cartoons.
0
A Chronicled look at the fall of the Romanov dynasty in Russia.
-1
An unfaithful newly-wed wife, an estranged father, a priest and an angry son suddenly find themselves in the most unexpected predicaments, each poised to experience their destiny, all on one fateful day.
-4
An unflinching exploration of Argentina's infamous soccer "barra bravas," bare torso-ed soccer fans feared by the public and even police responsible for fatalities at soccer matches.
-1
Comedian and "Saturday Night Live" writer Sam Jay serves up fresh takes on relationships, travel nightmares, the audacity of white people and more.
-1
Bigfoot, Adam's father, wants to use his fame for a good cause. Protecting a large wildlife reserve in Alaska sounds like the perfect opportunity! When Bigfoot mysteriously disappears without a trace, Adam and his animal friends will brave anything to find him again and save the nature reserve.
4
Panoptic explores Lebanon's schizophrenia. Depicting a nation thriving for modernity while ignoring the vices preventing it from achieving its goal, director Rana Eid examines this paradox through sound, iconic monuments and secret hideouts.
0
DNA revolves around a woman with close ties to a beloved Algerian grandfather who protected her from a toxic home life as a child. When he dies, it triggers a deep identity crisis as tensions between her extended family members escalate revealing new depths of resentment and bitterness.
-4
When staff salaries get stolen at his school, a reluctant new teacher sets out to recoup the money and soon discovers the joys of teaching.
-1
Ye Xiu is the star player on an esports team that dominates the Chinese leagues of hit multiplayer titled “Glory.” His gaming days appear to have come to an abrupt halt, however, when he is forced out of his team – who are keen to accept a lucrative sponsorship deal he is vehemently opposed to. Dejected, Ye Xiu takes a job at a late-night Internet cafe, and eventually strikes up a friendship with Chen Guo, the cafe’s owner. Eventually, Chen Guo reveals her plan – to launch a new “Glory” team led by Ye Xui. Will Ye Xiu resume his “Glory” days? And can he recruit – and train – enough fellow members to return to the top of the national rankings...and take revenge on his disloyal former teammates?
2
Four comedians from Brazil joke about sexuality, politics, religion and motherhood - and show that the woman's place is wherever she wants to be.
-1
A group of friends head to the land of oaky Chardonnays and big, bold Cabernet Sauvignons for one member of the squad’s 50th birthday party.
0
A ballerina discovers hip-hop by chance and is faced with an impossible choice: Does she pursue her family's legacy or her newfound love.
0
Bea is a successful architect who lives in Barcelona (Catalonia, northeast to Spain) with her boyfriend and boss, Víctor, a CEO of an important company. During a night celebration of an important contract signed to make a skyscraper designed by Bea, in the bar appears the famous TV reporter and anchorwoman Rebecca Ramos, Victor's personal erotic fantasy. Not measuring the consequences of her actions due to the alcohol she drank, Bea makes a meeting between Víctor and Rebecca. When to the next day she wakes up, Víctor proposes to wed Bea and she accepts, but after she arrives to the job, Bea learns about a videotape where Víctor and Rebecca make the love in a car that it's in all TV channels. In front of all CEOs during a full meeting, Bea slaps Víctor and destroys her design, being fired from the job. Looking for a break, she travels her natal coastal town, Santa Clara, just to discover that her rest isn't so easy as it seems: her eccentric, free-spirited and eternal smiling mother ...
5
A commercial diver is stranded on the seabed with only five minutes of oxygen supply, but with no chance of rescue for more than 30 minutes. With access to amazing archival footage, this is the true story of one man’s impossible fight for survival.
1
Set during the turbulent time of the fall of Goryeo and the founding of Joseon, two former friends face-off against one another over a woman and the future shape of the nation.
-2
Nour Abdel Mejid, AKA Valentino, owns a number of international schools, "Valentino Schools", run by him and his domineering wife with whom he's not in agreement. Their disagreements, however, get them on several adventures and reveals many surprises along the way.
-2
In a mythical land called Arth, the inhabitants of the ancient city of Arthdal and its surrounding regions vie for power as they build a new society.
0
An advertising agency executive Zoya Singh Solanki meets the Indian cricket team and ends up becoming their lucky charm at the 2011 Cricket World Cup.
2
In this omnibus, 11 Bangladeshi filmmakers create a love letter to the city of Dhaka. From young girls looking for a drink in a dry town to a bank scammer's attempted murder to a plumber creating a refugee crisis, the city co-stars every time.
-1
A family of four fractures under the weight of unmet expectations, unexpected tragedy, and uncompromising pride.
-3
After knocking a celebrity unconscious before a huge job, a bumbling pack of pals tries to avoid a lawsuit by replacing her with a look-alike.
0
On Christmas Eve, the Super Monsters get together to make decorations, but end up having to find Santa's missing reindeer in order to save their holiday.
0
Tough talk takes a soft turn as Nate, played by comedian Natalie Palamides, explores humor, heartbreak, sexuality and consent — with a live audience.
3
Against all the odds, a thirteen year old boy in Malawi invents an unconventional way to save his family and village from famine.
-1
Ayşe returns to her hometown in northeastern Turkey to nurse her gravely ill mother. Before she dies, Ayse’s mother tells her that she will leave Ayse her much loved bee hives to manage. Ayse’s modern life has moved her away from the mountains of her childhood – a life in which the bees and their honey were central. But she puts her city life on hold to manage the bees, which provide a distraction from her grief. Ayse slowly starts to work with the local bee keeper to manage the hives but finds the lessons of her childhood are buried deep and the hives are more difficult to manage than she remembers. Ayse’s failure to pay needful attention to local advice sees her mothers bee hives seriously damaged, if not lost forever. What’s more a Caucasian bear becomes a real threat to her hives and her life.
-6
A Buddhist scientist from Bangkok decides to cryo-preserve his daughter's brain. As scandal swirls around the family, they struggle to grieve a child that, in their view, is suspended between death and a future reawakening.
-4
Asian American creatives pay passionate tribute to the iconic, stereotype-busting "Baby-Sitters Club" character in this heartfelt documentary short.
2
The story of the tortuous struggle against the silence of the victims of the dictatorship imposed by General Franco after the victory of the rebel side in the Spanish Civil War (1936-1975). In a democratic country, but still ideologically divided, the survivors seek justice as they organize the so-called “Argentinian lawsuit” and denounce the legally sanctioned pact of oblivion that intends to hide the crimes they were subjects of.
-2
Teen comedy set in the school-year of 1994. José is the new kid on high-school, falling immediately for the popular and freckled Christina. Trying to impress her, he's going to unsuccessfully join the soccer try-outs. Is he shooting way out of his league?
0
Coming-of-age drama about a young girl living in rural India, fighting her way through love and loss as she figures out who she really is.
0
In 2012, awarded filmmaker Hernán Zin suffered an accident in Afghanistan that changed his life forever. The traumas he had been accumulating during 20 years of war reporting suddenly imploded. He began suffering depression, loneliness and self-destructive behaviors. Searching for answers of what happened to him, Hernán Zin decided to interview other journalists. He asked them about their traumas, their losses, their fears and their families. DYING TO TELL is the first documentary film ever made about trauma in war reporters. It is a brutal and torn portrait of war, and a tribute to those who risk their lives for the world to be informed.  —Contramedia Films
-12
In 2018, a young bartender in the Bronx, a coal miner’s daughter in West Virginia, a grieving mother in Nevada and a registered nurse in Missouri join a movement of insurgent candidates challenging powerful incumbents in Congress. Without political experience or corporate money, these four women are attempting to do what many consider impossible.
-2
After a heartbreaking loss, a grandfather struggling to reclaim his passion for painting finds the inspiration to create again.
0
Activist Abdur-Rahman Muhammad begins his own investigation into the perplexing details surrounding the assassination of civil rights leader Malcolm X.
0
Ko Ha-Neul dreamed of becoming a teacher, due to a teacher who helped her when she was young. Ko Ha-Neul now begins work as a temporary teacher at a private high school. While working there, she interacts with many people, including teachers Park Sung-Soon and Do Yeon-Woo. Both of whom are dedicated to their teaching jobs. Meanwhile, Ko Ha-Neul faces different problems at the school. As she works through those problems, Ko Ha-Neul grows as a person and a teacher.
2
While on holiday, Avi meets Naina and falls in love with her. Smitten, he decides to stay and work in her cafe. He confesses his love in a letter, however it's Naina's mother who mistakenly reads it.
2
The Lo family live in an old  flat in the middle of a noisy neighborhood: father, mother, unemployed son, teenage daughter and his elderly, disabled father. Now a billboard is blocking their perfect view of the harbor, and their already chaotic life becomes sheer madness.
-4
A nurse and her daughter flee her husband's drug-trafficking past in Mexico and assume new identities in Spain, but still face danger in Madrid.
-2
A young silver dragon teams up with a mountain spirit and an orphaned boy on a journey through the Himalayas in search for the Rim of Heaven.
1
The story of Mötley Crüe and their rise from the Sunset Strip club scene of the early 1980s to superstardom.
0
The Dorados, Culiacan's local team, are at the bottom of the rankings when Maradona arrives, looking for a fresh start. The experts predict disaster.
0
A family finds their lives turned upside down when a young, street-smart grifter shows up on their doorstep, claiming to be a distant relative.
0
No beau? No problem! To earn money for college, a high schooler creates a dating app that lets him act as a stand-in boyfriend.
-1
Comedian Franco Escamilla shares stories about parenting his children when they get into trouble, with reflections on gender, friendship and romance.
-1
An ad creative and a successful exec have a great marriage — until he wants to be a dad just as her star is rising. Then he brings someone new home.
3
Vincent and Louise were once very much in love, but they split up some months ago. By chance, Vincent comes into possession of a box which allows him to revisit his time with Louise. Will he get a second chance?
0
Madrid, 2019. A serial killer is spreading chaos. Anonymous people with no apparent connection are being murdered while imitating the first appearances of the most famous superheroes.
-1
An anthology of four short horror tales.
0
In search of his sister, a renegade criminal seeks answers at a sordid hotel where he encounters a sinister guest and romances a mysterious waitress.
-3
A group of friends gets intertwined with the death of their professor twenty years ago. Ironically, now in their 40s, they get tangled once again in one man's death. Ahn Goong Chul is a man of success who is married to a doctor and is a director at a popular chicken franchise. One day, he and his wife become suspects in a murder. Through the misunderstandings and suspicion between Ahn Goong Chul and his wife Nam Jung Hae, their relationship starts to deteriorate as secrets and shocking events unfold. Amid the chaos, Ahn Goong Chul desperately struggles to protect his family.
-10
From Sierra de las Minas to Esquipulas, explore Guatemala's cultural and geological wealth, including ancient Mayan cities and other natural wonders.
1
Delhi girl Ginny lives with her matchmaker mother and is set up with Sunny, who has given up on the idea of love. He just wants to get married and settle down. But, the match is not that simple. As Ginny meets Sunny, there’s a lot more that comes to the fore than previously imagined in this tale of love, life, weddings and music.
2
Hoping to do good while making millions, three college graduates create a startup. But as business begins to flourish, their own bond starts to fray.
2
A gifted writer who's the youngest editor-in-chief ever at his publishing company gets enmeshed in the life of a former copywriter desperate for a job.
0
On this fun and funny competition show, home bakers talented in catastrophe struggle to re-create dessert masterpieces and win a 5,000 euro prize.
2
1899, the Christmas-time St.Petersburg. Ice-covered rivers and canals of the capital seethe with festive activities. On the eve of the new century those who should not be destined to meet, come together. They are people from different worlds: Matvey, the son of a lamplighter, whose only treasure is his silver-plated skates; Alice is the daughter of a high-ranking official dreaming of science. Each of them has his own difficult life-story, but having accidentally met they rush forward together in pursuit of their dreams.
0
A woman named Kit moves back to her parent's house, where she receives a mysterious invitation that would fulfill her childhood dreams.
-1
Follows the young Ana, who studied fashion design dreaming of becoming a great stylist but dropped everything to become a digital influencer for a famous brand.
2
After a public spat with a movie star,  a disgraced director retaliates by kidnapping the actor's daughter, filming the search for her in real-time.
-1
The story of a television reporter in Mathura who falls in love with a headstrong woman.
0
Haunted by the suicide of a brother, a director and his kin walk across the UK in an emotionally trying, visually sublime journey toward healing.
0
Moments before his capture by police, a thief digs a grave to hide a bag of money. Released from prison years later he returns to retrieve the bag, only to find a shrine to an Unknown Saint build directly over his loot, and a brand new village constructed all around it.
-2
Sudan, East Africa, 1980. A team of Israeli Mossad agents plans to rescue and transfer thousands of Ethiopian Jews to Israel. To do so, and to avoid raising suspicions from the inquisitive and ruthless authorities, they establish as a cover a fake diving resort by the Red Sea.
-3
Snatched off the street and held for ransom, a bound and gagged woman uses her limited powers to derail her two masked abductors' carefully-laid plans.
-1
Young teenager Jack Sullivan and a group of friends live in a decked-out tree house, playing video games, eating candy, and fighting zombies in the aftermath of a monster apocalypse.
-3
Juan Manuel Fangio was the Formula One king, winning five world championships in the early 1950s — before protective gear or safety features were used.
2
Science-loving host Emily Calandrelli makes STEAM fun with activities, demonstrations and at-home experiments that'll make you think — and blow your mind!
0
What happens when two godmothers decide to help aspiring drag queens and drag kings?
-2
A story of love between a mentally-ill father who was wrongly accused of murder and his lovely six year old daughter. Prison will be their home. Based on the 2013 Korean movie Miracle in Cell No. 7 (2013).
0
After meeting an untimely demise in separate incidents, Cha Min and Go Se-yeon discover they’ve come back to life in new bodies they don’t recognize.
-2
Four curious young dinosaur friends explore the mystery of Gigantosaurus, the largest, fiercest dinosaur of all, facing their individual fears and working together to solve problems during their many adventures.
-3
Elisa is only forty when an incurable disease takes her from her husband and their daughter. Before her heart stops, Elisa finds a way to stay close to her: a gift for every birthday up to her adult age, 18 gifts to try to accompany her child's growth year after year.
0
A documentary on the life of Uruguayan politician and former guerrilla fighter José Mujica.
0
A wealthy teenager tries to prove herself after she's forced outside of her comfort zone.
2
A young warrior and her familiar search for the sacred place said to fulfill wishes. It's best not to anger the ancient guardians and spirits.
0
Young koala caretaker Izzy Bee and her family rescue cuddly creatures in need and help them head back into the wild on Australia’s Magnetic Island.
-1
When her parents are murdered, Nneka encounters the Queen of the Coast who offers to help her in revealing the identities of people who killed her parents. This changes the course of her life as she sets out on a mission of revenge.
-2
My brother "Investing" and his younger brother "Electric Rabbit" grew up in an orphanage. They were adopted by the school worker "Thunder Sir" and received the help of "Lei Master" and stayed in the village boxing gym. The intensive support for the younger brother to go to school, but the electric rabbit made an underground punch to make money, was expelled from school, and the two brothers turned against each other.
1
Violet Evergarden, a former soldier returned from war, comes to teach at a women's academy and changes a young girl's life.
0
A runaway, teenage, suicide bomber and his newfound ally, a young prostitute, must rely on each other to survive the night while searching for answers to the terrible secrets that made them who they are.
-3
An idealistic engineer builds his own island off the Italian coast and declares it a nation, drawing the world's attention. Values are tested when the Italian Government declares him an enemy, but to change the world risks must be taken.
-2
Stranded at a summer camp when aliens attack the planet, four teens with nothing in common embark on a perilous mission to save the world.
-2
Paul Diallo, a history teacher, lives a quiet life with his wife and kid. During summertime, he lends his house to his son’s babysitter and her boyfriend. When they return, the Diallo family finds a closed door – locks have been changed and the new occupants maintain they are in « their home ». With no one to turn to, Paul gets closer to Mickey, a shady local man with a penchant for all things extreme and illegal. Soon the once anti-violent teacher is approaching the point of no return…
-1
A group of unique characters from dramatically different socio-cultural backgrounds meeting in startling circumstances in the vibrant and colorful city of Istanbul, some by chance and some by force of will.
1
A nyctophobic woman has to fight her inner demons to stay alive in the game called life.
-1
A forensic analyst and an investigation officer are on a chase to hunt down a gruesome serial killer and crack one of the most famous cold cases in the history of their departments.
-3
A coming of age story of a 24-year-old vagabond who is forced to work at a posh building in Mumbai as a Lift Boy when his bread-winning father falls ill.
1
Seven young roller hockey players and their new coach will fight to save the female section of Club Pati Minerva, while trying to find their place, both inside and outside the team.
0
Based on the Go. Go. toy line from VTech, children's series follows the adventures of Cory Carson.
0
After the death of his wife, Sarah, John West, packs up his three children and moves from their hectic urban life to his small northern hometown to take command of the local search-and-rescue service. Once there, the family struggles with their new surroundings, new friends and accepting Sarah's death.
-4
In the rural heartlands of India, an upright police officer sets out on a crusade against violent caste-based crimes and discrimination.
-3
A group of former high school pals see their friendship put to test amid their struggles with love, marriage and careers.
0
BOMBAY ROSE is a beautiful hand-painted animation created by award winning animator Gitanjali Rao. Amidst the bustle of a magnetic and multifaceted city, the budding love between two dreamers is tested by duty and religious divides.
4
While she advocates for her female clients in divorce cases, a lawyer's trauma from sexual violence impacts her own marriage.
0
Max returns to her slum turned into the vocalist of a rock band. There, the memories await, the latest news and the truths that were silent for years: Sonia is a voice that speaks from the death.
0
Mia is happy to be able to spend a vacation with her dad, but Lupe, Mercedes, Juanma and Alvaro arrive by surprise at the same resort ... and bring the school drama with them!
1
An outstanding lineup of entertainers gathers in the Kennedy Center Concert Hall to salute Dave Chappelle, recipient of the 22nd annual Mark Twain Prize for American Humor.
4
When a former BlackRose cartel assassin deliberately betrays them by refusing to complete her mission, the cartel orders her execution. Unbeknownst to them, she fakes her own death and is able to create a new life of her own. When the cartel discovers she is alive, the hunter becomes the hunted as she fights to get revenge on those who took her new life away from her.
-6
When her estranged mother suddenly dies, a woman must follow the quirky instructions laid out in the will in order to collect an important inheritance.
0
In an abandoned hospital in Tainan, a group of people came to try to communicate with the souls of their loved ones, only to be haunted by ominous supernatural phenomena.
0
Brother and sister who get separated and reunite years later when the brother has grown to be a criminal.
-1
Eight years ago, 14 year old May was raped by a group of men. May’s father is devastated, blaming himself for not being able to keep his daughter safe. Traumatized significantly by this incident, May withdraws completely from life.
-2
Two wily online scammers mend their fraudulent ways after meeting the girls of their dreams — until a deceitful discovery throws their world for a loop.
-3
Amidst the silence and isolation, Hazel and Louie find comfort in each other as they both needed it at that certain point in their lives. But knowing how far apart their worlds are, they can only hold on to the belief that some encounters are special because of how fleeting they are.
-1
In this sequel to "New Money," Quam, a security guard turned multimillionaire, lives the good life with his fortune until he falls victim to fraud.
0
The life of Padma Shri winner Chintakindi Mallesham, who invented the ASU machine that processes yarn for sarees mechanically, is being recreated in this biopic.
1
A Bangaldeshi housewife crosses the border to start her a new life where she struggles to deal with the pain and betrayal of her own family and making a living on her own.
-3
This gritty dramatization of the life of Carlos Tevez shows his rise to soccer stardom amid the harrowing conditions in Argentina's Fuerte Apache.
-1
A stock car racing legend is drawn back to the dirt track when his son, an aspiring driver, joins a rival racing team.
-2
Danah, a Saudi girl with a passion for artificial intelligence embark on a journey to create good in the world using robotics. Meanwhile, three friends Saad, Saltooh and Kalb hit rock bottom and go on a journey of their own to prove themselves to society by becoming crime fighting superheroes.
2
Christine an Art Studies major student at University of the Philippines Diliman a smart and very ambitious who is in a relationship with a Biology student at University of Santo Tomas, Raf a very total opposite character of Christine.
2
He and her beloved Shizuka are finally married! Nobita's childhood dream was supposed to come true on his wedding day, but for some reason, Nobita doesn't show up... One of the most popular episodes from the original story transcends time and space, and leads to Nobita's future. Doraemon and Nobita's great adventure begins in order to fulfill his grandmother's wish to see his bride at first sight. This is a story of tears and bonds, set in the past, present and future.
4
Celebrating twenty years since her debut, Hikaru Utada takes the stage at Makuhari Messe for the final performance of her Laughter in the Dark Tour.
-1
As a blind librarian, dispirited cricketer and desolate psychiatrist each seek retribution and release, their lives overlap under eerie influences.
-3
After high school, a young woman marries the man of her father's choice but soon faces the possibility that her religion considers the union invalid.
-1
Perfume's Reframe 2019 concert, performed to great effect in the newly reconstructed LINE Cube Shibuya, is recreated as a high-tech concert film.
1
When a newly single photographer is forced to work with a longtime rival, the battle of their egos turns into a chance for love.
1
A new student at a soccer academy is determined to beat her rival's team in the national tournament.
-1
Love is in the air as Zoe and friends go on a quest to find a fabled Maid's Stone. But when rivalry blinds them to danger, it's Raven to the rescue!
-2
The Lonely Island spoofs Jose Canseco and Mark McGwire in this visual rap album set in the Bash Brothers' 1980s heyday.
-2
Ji Mo is an outcast, due to her ability to see monsters that no one else can. One day, she meets a monster hunter, Meng. She discovers that there really are monsters in the world, and she is involved in a new storm.
-4
This bittersweet comedy follows immigrants in Delhi who are attempting to organise a wedding party, but soon find everything going wrong.
-1
With series creator Lauren S. Hissrich as your guide, take an in-depth journey into the stories and themes powering the first season of The Witcher.
0
This story is about young boys who have capabilities of playing KABADDI but the society is against them, they took this as challenge and their journey starts from here. Boys went out of the box after facing hardship and being discouraged from their guru and parents to win hearts of people. To feel the thrill, motivation, entertainment, comedy, sportsmanship; come and watch movie along with your family and friends.
2
In 1987, as martial law ends in Taiwan, Jia-han and Birdy fall in love amid family pressure, homophobia and social stigma.
-1
Even when they were orphans, Wang Yizhi has always been in love with Xinxin. Now older, Yizhi decides to train as a boxer before he allows himself to profess his love, but only for her to fall for a geeky computer engineer who is secretly a popular superhero. When Xinxin gets kidnapped, Yizhi must prove his love and his fighting skills to get the girl of his dreams.
4
The suspicious death of Alberto Nisman, investigator of the attack on the headquarters of the AMIA in 1994.
-3
A new guardian "angelus" uncovers a secret behind the Angelus System's bureaucracy that leads him to break its official rules about protecting humans.
0
At an Afghanistan refugee camp, an ex-army doctor seeks to bring children joy through cricket and soon realizes that the stakes go beyond the sport.
1
Archival video and new interviews examine Mexican politics in 1994, a year marked by the rise of the EZLN and the assassination of Luis Donaldo Colosio.
0
Four couples attend a spiritual retreat in the Caribbean to safe their relationships. They have to overcome the tests set by 2 unusual love gurus, and fight for their own lives, which wasn't part of the plan.
1
When a young soccer fan and his idol forge an unexpected friendship, the connection teaches them both lessons about life and their love of the game.
1
When suspicions grow around the death of their patriarch, an affluent family begin to peel back the truth as dark secrets come to light.
-2
Heart stolen by a free-spirited woman after a beachside romance, a passionate architect sets out to reunite with her on the streets of Seoul.
0
Secret-service agent Vic Davis is on his way to pick up his estranged son, Sean, from his college campus when he finds himself in the middle of a high-stakes terrorist operation. His son's friend Erin Walton, the daughter of Supreme Court Justice Walton is the target, and this armed faction will stop at nothing to kidnap her and use her as leverage for a pending landmark legal case.
1
A determined Angela makes a wish to reunite her family in time for Christmas, then launches a plan to find her way from Ireland to Australia.
0
What does a thrill-seeker tween girl do when her mom forbids her to enter a BMX race? Cast an actor with nothing to lose to play her approving dad.
-1
Nothing's as it seems when a charismatic conman and an aspiring film crew delve into the lives of two emotionally scarred women.
0
At a birthday party, a sex video is filmed without consent and Ren Li-cha is the girl in the video. The clip circulates among the students and Li-cha is mocked and bullied as a result. Wu Yun-heng, a transfer student, went to the party with Li-cha. As she cannot stand how much Li-cha is suffering'  she is determined to find out about the truth behind the incident, fighting for her best friend. However, as she gets closer to the truth, she is about to shatter the peace in school.....
-1
'Mokalik' follows the career of an 11-year-old boy, Ponmile, from the middle-class suburbs who spends the day as a lowly apprentice at a mechanic workshop in order to view life from the other side of the tracks - When his father arrives to take him home; Ponmile has to make up his mind if he wants to return to school or take on his apprenticeship full time.
-1
Jo Koy returns to the Philippines to show off the local culture and headline a special featuring Filipino American comedians, DJs and hip-hop dancers.
0
Taking to the stage in Milan, Francesco de Carlo opens up about bad habits, religion, politics and what he's learned from travelling the world.
-1
Facing disapproving parents, a knotty love life and her own inner critic, an aspiring comic ditches her cushy but unsatisfying life to pursue stand-up.
0
Four men have stopped robbing the rich to give to the poor and now are focusing on running their businesses.
0
While being relentlessly attacked, a Man seeks to uncover a mystery and stop the unknown memories that are controlling him, only to learn the difference between reality and illusions.
-4
Returning to Earth as an imitator, the legendary Mexican artist Pedro Infante must prove that he is no longer a womanizer to enter paradise.
1
Four young men want to leave their dystopian world behind and go to a distant paradise to execute a money robbery, a daring act that will have unexpected consequences.
1
In the interview room, detectives go head-to-head with suspects and try to get to the truth—even if it means breaking the rules and risking it all.
-2
Lucky and her friends venture into town on Christmas Eve in an attempt to fulfill their holiday plans. But when distractions lead to delays, they must figure out how to get home in time for Christmas in the middle of a serious snowstorm!
0
Kumiko and Kenichi meet in college and build a happy marriage together. But over time, an unusual problem threatens to destroy their relationship.
-2
David Harbour delves into the enigmatic history of his legendary acting family, as he examines his father's legacy and role in a made-for-TV play.
1
A frustrated architect finds solace with a deaf-mute neighbor. But their relationship is faced with challenges as miscommunications kicked in.
0
It deals with an irregular governor elections where in a district there are murders, which makes the commisssions annul in that place, that causes the candidate who lost to start a campaign where she proclaims herself the legitimate president and takes the case to court so that they can be do justice to electoral fraud.
-4
From how social media can ruin relationships to the perils of buying a gift for a woman, comic Ricardo Quevedo dissects life's trials and tribulations.
-2
A documentary on why 'Money Heist' sparked a wave of enthusiasm around the world for a lovable group of thieves and their professor.
2
Four years after five students mysteriously committed suicide after taking part in a courage test on the ghost bridge in Donghu university, a reporter and a cinematographer are back to that place and try to get everything clear.
0
A love story of the single-parent Dongbaek, the owner of Camellia Bar among a small neighborhood, who is also being the next murder target of a serial killer case.
-1
Qing Ming, the Yin-Yang Master, took his master's last wish and went to the Captial Tiandu City to attend the heaven ceremony.
3
Bei Er Duo, a girl from an ordinary family, dreams about studying in Japan to be a professional voice actor. However, her mother wants her to marry rich whilst she is young, leading to continuous blind dates which irritate Bei Er Duo. In her desperation to raise funds for studying overseas as well as helping her best friend Tang Li out of a crisis, Bei Er Duo joins a couple reality program, encountering top violin maker Ye Shu Wei.
2
When an unattractive man gets engaged to a beautiful woman, their families oppose the union and the priest set to perform the ceremony is kidnapped.
-1
Bheeshma Prasad, a simple meme creator has his life turned around when he wages a war against a powerful agro company that creates harmful chemicals to increase the crop yield and make more money.
0
In this music competition show, judges Tip “T.I.” Harris, Cardi B and Chance the Rapper hit the streets to find the next rap superstar.
0
An amalgamation of four different love stories: Seenayya and Suvarna, a middle-class couple in a small town; Gautham, an uber-cool youngster romancing in the streets of Paris with his girlfriend Iza, Union Leader Srinu head over heels in love with his boss lady, and and the first college romance.
2
Eight year-old Hamid learns that 786 is God's number and decides to try and reach out to God, by dialing this number. He wants to talk to his father, who his mother tells him has gone to Allah. One fine day the phone call is answered.
1
Recruited by a secret society of babysitters, a high schooler battles the Boogeyman and his monsters when they nab the boy she's watching on Halloween.
-1
The Jungle Beat animals think it’s the best thing ever when an alien arrives in the jungle bringing with him the power of speech. They also surprisingly think it’s the best thing ever when they find out that he’s been sent to conquer them.
2
Inspector Amaia Salazar returns to the Baztán's valley for a new case, and this time even her loved ones won't be safe.
2
In a far-away village, lived an innocent teenage girl, Sai, who later discovered herself inheriting the curse of Krasue. At night, her head would detach from her body and hunts for flesh and blood. Villagers are terrified by the deaths of their livestocks and that is when the Krasue hunt begins. Jerd, a friend joined the hunt with an unknown reason while Noi, the childhood friend who had just came back to the village decided to stand beside Sai despite knowing the horrifying truth.
-4
After being sent to Nigeria against his will, a stubborn Nigerian-American teenager joins forces with an internet scammer in order to return to the United States.
-1
Years after his teen romance with Milea, a now-adult Dilan tells his version of their love story when a high school reunion brings them back together.
1
A department store saleslady has had enough of being an underdog. One night, she discovers a peculiar-looking gun right on her doorstep. Her life drastically changes as she discovers how much power owning a gun can give her.
0
Peer into the lives of young Singaporeans as they defy expectations and traverse the tricky terrain of career, romance and family.
-2
Love is as tough as it is sweet for a lovestruck teenager, whose relationship with her next-door neighbor transforms as they grow into adulthood.
3
Dorasani explores the periodic tale of love between a rich lady Devaki and a poor boy Raju.
1
When a greedy bear steals a magic stone to keep the forest’s water for himself, a brave hedgehog and a timid squirrel must work together to retrieve it.
0
When Santa crash-lands in the junkyard on Christmas Eve, Hank, Trash Truck and their animal friends all have a hand in rescuing the holiday for everyone.
-2
A reluctant clairvoyant joins forces with a brusque police detective hiding a soft heart to help him solve criminal cases using her psychic abilities.
-2
The life and successes of iconic music executive Clive Davis, from his miraculous start at Columbia Records through his trailblazing work at Arista Records and J Records, with a heavy dose of outstanding music sprinkled in between.
4
Animation and activism unite in this multimedia spoken-word response to police brutality and racial injustice.
-2
When a restless spirit curses a Punjab village that has a history of female infanticide, the town's fate lies in the hands of a 10-year old girl, Shivangi.
-3
A new class of pint-sized preschoolers arrives at Pitchfork Pines, and the Super Monsters take their superpowers to the next level - the Purple Room.
0
Thamara, Paru, Kajal and Suganya are four friends who are rather tired of their uneventful routine. However, things take a turn for the better with the arrival of the spirited and outgoing Rita, a young woman who encourages them to live their lives to the fullest.
0
Wealthy and spoiled, a young man finds something to fight for when he falls in love with an environmental activist protesting his family's business.
-1
Jaggi comes from a Punjabi background and he aspires to take the popular Punjabi dance form of 'Bhangra' to an international platform and passionately works towards his dream. He meets his college rival in Simi and they both compete with each other to win the international dance competition.
3
With help from celebrity guests and a glam squad, filmmaker Karan Johar mentors six singletons through their personal struggles as they look for love.
0
From early struggles to his climb up the Himalayas, Jean Maggi gets profiled in this documentary that highlights his advancement of adaptive sports.
0
As Si Tu Mo's graduation is nearing, she is confused about her future plans. Her ordinary days are suddenly shaken up when the genius Physics student Gu Wei Yi appears in her life. The two accidentally end up living together and chaos begins.
-1
Standing on the precipice of adulthood, a group of friends navigate new relationships, while reexamining others, during their final summer before college.
0
A bartender romances a domestic helper despite the fact that she is moving to Canada.
0
A story about the naivety of young love, the pureness, and beauty of friendship and the warmth of family surrounding a group of friends. Su Can Can loves learning about literary works. In her adolescence, she meets her best friends....
6
Battling terminal cancer, a woman writes a one of a kind notebook about life, death and love for her son to remember her by. Based on a true story.
-1
While decluttering her home, a woman's hefty house renovation leads her back to the past when she uncovers her ex-boyfriend's belongings.
0
Lolle's love life in Berlin is as complicated as ever. After the story with Sven, her second cousin, was over, she got together with her best friend Hart and the two are about to get married. That is, if Sven doesn't ruin things.
0
In rural India, a child with hydrocephalus gets a chance at life-changing surgery after her photos go viral. This documentary charts her journey.
0
This documentary offers an honest look at our fraught, complex relationship to video games from the perspectives of gamers and their concerned parents.
-2
A portrait of a growing movement amongst Indigenous Americans to reclaim their spiritual and cultural identities through obtaining sovereignty over their ancestral food systems, while battling against the historical trauma brought on by centuries of genocide.
0
When the world had to stay home, they brought their concert online. Immersive, candy-sweet and cutting edge, Warp into it.
-1
Think you've got what it takes to be the boss? This interactive special puts your skills to the test and matches you up with one of 16 jobs at Baby Corp.
1
The daily life of a school located in Saint Denis.
1
When a musical dragon with a beautiful voice hypnotizes the dragons and people of Huttsgalor, the Rescue Riders have to find a way to break the spell.
0
A quirky fashion student becomes the nanny of a handsome widower’s three kids, experiencing a series of silly antics and schemes.
0
Set in Chatsworth, Keeping up with the Kandasamys opens a window into the lifestyle and subculture of modern-day Indian South Africans; their aspirations, dreams and challenges.  Shanti Naidoo and Jennifer Kandasamy are matriarchal rivals of neighbouring families, whose young adult children become romantically involved. And the last thing these two Chatsworth mothers need is to be related to one another!  Well as much as they tried to keep their families apart it turned out we’re invited to the wedding!
2
Based on the life of Keshav Thackeray, an Indian politician who is also known as Balasaheb Thackeray.
0
Chef André Chiang is returning his Michelin stars, and has publicly declared that he is returning to his roots after 30 years. What would make him do so? How does the perfectionist define success? What haunts him at night?  Following Chef André weeks before he officially closes his restaurant, we chart his emotional journey, and dive into nostalgic elements of his life. From how he first fell in love with cooking as a result of his mother’s influence, to the challenges that he faced when he first learnt cooking in France, we tell the story of a passionate and determined individual, now ready for the next season of his life.
2
An ambitious young man, in a small town in Central India, sets up a paan shop to a floundering start. His fortunes start to change dramatically when a family shifts in the house across the road. Hordes of boys start following the teenage girl from the family and set up an "adda" at Billu's shop. His business flourishes tremendously but Billu is now more unhappy than ever, as he has fallen for the girl himself!
0
Irrepressible French comedian Fadily Camara weaves jokes, vivid characters and physical comedy into a lively stand-up show at La Cigale in Paris.
0
Featuring a mix of film footage and special performances, this virtual concert honors the memory and music of revered Indonesian singer Glenn Fredly.
1
A commentary on Spanish society dressed as a thriller about the misadventures of a gang of young petty criminals after the real estate crash.
-3
The Octonauts embark on an underwater adventure, navigating a set of challenging caves to help a small octopus friend return to the Caribbean Sea.
-2
When a rebellious teen embarks on a solo summer journey to connect with her roots, she finds herself in a new world, geared up for the ride of her life, and discovers she had the drive in her all along.
-1
Weed. Marijuana. Grass. Pot. Whatever you prefer to call it, America’s relationship with cannabis is a complicated one. In his directorial debut, hip hop pioneer Fab 5 Freddy presents an unparalleled look at the racially biased history of the war on marijuana. A range of celebrities and experts discuss the plant’s influence on music and popular culture, and the devastating impact its criminalization has had on Black and Latino communities. As more and more states join the push to legalize marijuana, this documentary dives deep into the glaring racial disparities in the growing cannabis market.
-1
My Perfect Landing follows a family of gymnasts through their struggles of dealing with a life-changing move from Miami to Toronto, Canada.
0
Unnecessary milk substitutes. Bad passwords. Burlap underpants. 2020 may have sucked, but thankfully the jokes didn't.
-4
Canadian comic Katherine Ryan's stand-up special packed with anecdotes, jokes, and a pertinent take on society.
-1
On this competition show, novice bakers try to avoid a fiasco while duplicating stunning sweets. At stake are a trophy and 5,000 euros.
2
Italian comic and satirist Saverio Raimondo regales a Milan crowd with tales of online antics, awkward injuries and white-knuckle flights.
-2
From the preparations to the performances, this documentary showcases Vietnamese pop idol Sơn Tùng M-TP and the passion behind his Sky Tour concerts.
2
Lucas, a 14-year-old boy inducted into the gang life in Washington D.C., is determined that his 10-year-old brother won't follow the same path. When an Afghanistan war veteran comes into the neighborhood, an opportunity arises.
0
A cop returns to the job. A serial killer too returns to the job.
-1
A battle for power ensues as warring gangters thrive to gain possession of a "black box" that can make them richer than they already are, and an undercover cop intervenes with the help of his sharp intellect and an instinct to kill.
3
STEM children's series focusing on construction and how mechanical things work.
1
Between scenes from his concert in São Paulo's oft-inaccessible Theatro Municipal, rapper and activist Emicida celebrates the rich legacy of Black Brazilian culture.
1
Every year, thousands of high schoolers enter the August Wilson monologue competition for a chance to perform on Broadway. This film follows these students, examining how Wilson and his characters speak to a new generation, inspiring them to listen to his words and find their own voice.
1
London Hughes, the sauciest comedian to come out of the UK, takes us on a brilliant and bold tour of her d*ck catching history.
1
A disillusioned Delhi wife (Dolly), and her new-in-town cousin (Kitty), navigate damning secrets, dreams and their thorny dynamic on their respective roads to freedom.
-1
A divorced woman trying to get hired as a French tutor and teaching classical dance, and she has a daughter. Her brother Manuel also resides in a flat in Chennai. Their next door neighbours are Unnikrishnan, a retired Major who has a pet dog, Prabhakaran and Bibeesh who lives with a serial-actress aunt (not related by blood) and his young school going brother. The story revolves around the divorced mother and daughter finding happiness of love in their own ways. The film explores commonality of romantic love in different stages of life.
4
Aaron Paul, Vince Gilligan and other cast members, producers and crew share stories and footage from the making of "El Camino."
0
A documentary about Canadian music icon David Foster.
0
An ordinary girl falls head over heels for the most popular boy in school. Xia Miaomiao is a shy, artistic student who develops a crush on a handsome, talented classmate and embarks on a journey of self-discovery through college. Because of Liang Younian, Xia Miaomiao decides to make a change. Through the help of her friends, she starts to learn about fashion, join school clubs, and studies hard to raise her grades. Her ordinary life becoming more colorful by the day.
1
All girls volley ball team The Falcons end up stranded in the middle of nowhere after their mini-van breaks down. Little do they know they landed in degenerate hunters' territory and the hunt is on. Thus begins a very long night where they must run for their lives and test their team spirit. But the girls are more resourceful than it appears. In the heart of the forest, the tables are about to turn between hunter and hunted...
-1
On the first night of spring, the Super Monsters gather for food, fun and games in the park -- and get to meet their adorable new pets!
2
Mario, an exemplary man, lives in a village on the Galician coast. In the old people’s home, where he works as a nurse, everyone appreciates him. When the best known narco in the area, Antonio Padín, recently released from prison, enters the residence, Mario tries to make Antonio feel at home.  Now, Padín's two sons, Kike and Toño, are in charge of the family business. The failure of an operation will put Kike in jail and cause them to owe a large debt to a Colombian supplier. Toño will turn to the nurse to try to convince his father to assume the debt. But Mario has his own plans.
0
Mo Gilligan blends smooth moves and sharp humor as he riffs on humble beginnings, family dynamics and the complex art of dancing in the club.
4
After bankruptcy, Abah and Emak must adapt to a new life with their children in a remote village.
0
From the death of romance in marriage to the injustices of modern-day parenting, Amit Tandon shares wisdom and wisecracks as a battle-scarred family guy.
-1
After falling for a guest, an unsuspecting hotel staff becomes embroiled in a hostage scheme and discovers true love in an unlikely place.
-4
A quiet teen's life is shaken up when she's forced to be her arrogant neighbor's slave. He loves her, but they both have a lot to learn about trust.
1
In a desperate attempt to reach Europe and crouched before an airstrip in Cameroon, a six-year-old boy and his older sister wait to sneak into the holds of an airplane. Not too far away, an environmental activist contemplates the terrible image of an elephant, dead and fangless. Not only do you have to fight against poaching, but you will also have to meet the problems of your newly arrived daughter from Spain. Thousands of kilometers to the north, in Melilla, a group of civil guards prepare to face the furious crowd of sub-Saharan people who have begun the assault on the fence. Three stories linked by a central theme, in which none of its protagonists know that their destinies are doomed to cross and that their lives will no longer be the same.
-7
Carlos, a ruthless Spanish negotiation expert working in Brussels, is tasked with handling the kidnapping of a senior oil company executive in a troubled West African country —with which he has old and deep ties—, torn by ethnic tensions and government abuses.
-4
Zhang Chi, a hubris and dominating six-time racing champion, falls from grace following a crisis. After a five-year suspension from the motorsport, the now single-father to a six-year-old boy throws down the gauntlet once again.
-1
An ice crystal from a frosty realm is freezing everything in the Rainbow Kingdom, its citizens too! Can True save Winter Wishfest -- and her friends?
-1
This look behind the scenes shows how worldwide camera crews climbed, dived and froze to capture the documentary's groundbreaking night footage.
0
Dark City Beneath The Beat is an audiovisual experience that defines the soundscape of Baltimore city. Inspired by an all original Baltimore club music soundtrack, the film spotlights local club artists, DJs, dancers, producers, and Baltimore’s budding creative community as they are realizing their life dreams. Rhythmic and raw, these stories illustrate the unique characteristics of the city’s landscape and social climate through music, poetry, and dance. From the city’s social climate to its creative LGBTQ community, Dark City Beneath The Beat showcases Baltimore club music as a positive subculture in a city overshadowed by trauma, drugs, and violence.
0
An inspirational survival story of Deepika Kumari who, as a girl born on the roadside to abject poverty in rural India, went in search of food, stumbled upon archery, and within 4 years became the Number One archer in the World.
0
Fusing his musical and stand-up chops, Kenny Sebastian gets analytical about frumpy footwear, flightless birds and his fear of not being funny enough.
-1
An anthology of four romantic stories across four age groups connected by that magical thread called love.
3
Hari and Harathi are in love, but Harathi's father won't agree to their relationship because of their caste differences.
1
Stage banter takes on a different — deeper — meaning as the comedian performs online shows to homebound viewers worldwide from his Mumbai residence.
0
After the suicide of his best friend and the fire of a local dance called Cromañón, including recitals, illegal parties in an abandoned warehouse and high school, a year passes by in the life of Zabo who writes everything he feels and lives in his blog, "Memories of a teenager".
-1
Three friends seek a more entertaining and fiery sex-life with their partners.
2
Three gay sons are called back by their estranged and terminally-ill father and given an offer they can't refuse: a P300 million inheritance in exchange for each of them giving him a grandchild.
-2
Defeated and humiliated in a fight while trying to defuse a conflict among his fellow villagers, a photographer vows revenge on his attacker.
-1
Peter who tries to find his place in the world of classical Indian music embarks on a journey that helps him evolve personally, spiritually and musically.
0
Two long-separated brothers end up in life-threatening situations. How do their lives intersect and what happens next?
-1
As each member of the Holloway family works to solve their problems, they prepare for Mopelola's party, which will clearly become the year's biggest society event. But the buzz about the party compels the Asset Management Corporation to foreclose on ST. IVES, the family business, after the death of Akin Holloway's his godfather Baba Eko, who had been protecting him. He must then fight a bigger battle: getting Mopelola to cancel her party and maintain a low profile to get them off the radar while he tries to save the business.
0
An aging, womanizing professional boxer and his career-criminal brother take one last shot at success and get more than they've bargained for.
0
A divorced couple who decide to share equal space in their ex-matrimonial home soon realize that the ingenious idea is easier said than done. Bent on flexing their egos and scoring points, the two implore various hilarious tactics that soon inflames emotions and turns an already complicated situation into a roller coaster ride.
1
The heiress of a multi-millionaire, a hearing and speech impaired young woman, has to fend off a slasher all alone in her palatial estate.
0
With new friends in a new kingdom, Barbie learns what it means to be herself when she trades places with a royal lookalike in this musical adventure.
0
Supposedly Japan’s greatest swindler, Makoto Edamura gets more than he bargained for when he tries to con Laurent Thierry, a real world-class crook.
0
Depicts the life and loves of Venezuelan Gen. Simón Bolívar, who helped liberate several Latin American countries from Spain.
3
Stuntman Cha Dal-geon gets involved in a tragic airplane crash and ends up discovering a national corruption scandal in the process. Go Hae-ri, the oldest daughter of a deceased marine, decides to work for the National Intelligence Service as a secret ops agent in order to support her mom and younger siblings, although all she wanted to do is to become a civil servant.
-1
A Paris teen who's half human, half vampire grapples with her emerging powers and family turmoil as she's pursued by a secret vampire community.
-2
Teenage Julie finds her passion for music and life while helping the Phantoms -- a trio of ghostly guys -- become the band they were never able to be.
2
In 1994, Mexican presidential candidate Luis Donaldo Colosio's assassination sends his dying widow racing to uncover who did it.
-1
When Maudie, a ten-year-old puzzle prodigy, forms a detective agency with her classmates Ezra, Ava and Kyle, no crime is left unsolved.
0
Two children discover that their mother is gone. The youngest of the pair, adventurer and upcomming singer, Long Johnson forces his older sister, Lily Johnson, to hunt down a unicorn with magical blood.
1
After a prank blows up a studious high school senior's life, he shares a list of certain things he wishes he'd done differently — and maybe still can.
-1
The story of twin brothers who separated at birth but grew up to be supreme martial artists. Raised to take revenge on each other they soon find themselves becoming good friends. Together they vow to take the martial arts world by storm and search for their true identities. Jiang Xiao Yu, better known as Xiao Yu Er, was raised by the Ten Great Villains in the Villains' Valley. He think he's the top villain in the jianghu. He's learned many tricks over the years and becomes a mischievous prankster, though his heart is kind. He meets Hua Wu Que, who he doesn't know is actually his twin brother. Hua Wu Que grew up in Yi Hua Palace under the care of Princess Yao Yue. Princess Yao Yue had a one-sided love for his father, Jiang Feng, and wanted to take revenge on him. Thus, she separated the twins at birth and raised them with the hopes they would be enemies and fight each other to death. Separately, Jiang Bie He, who was once the servant to Jiang Feng, teams up with Jiang Yu Lang in a conspiracy that might ruin the entire jianghu. Hua Wu Que and Xiao Yu Er team up together to try and take him down. (Source: Drama Wiki) Edit Translation.
-3
An idealistic cop joins an underground police unit and battles ghoulish forces threatening the balance between the human and the supernatural realms.
-1
A small village in Huelva, Andalusia, Spain, 1936. Higinio and Rosa have been married only for a few months when the Civil War breaks out. Higinio, being afraid of possible reprisals from the rebel faction, decides to use a hole dug in his own house as a temporary hideout.
-2
A man returns home to Atlanta to help and turn around his family's struggling restaurant with the help of a new chicken recipe.
-1
A getaway driver is attracted to a female neighbor whose husband owes money to a local gangster. As a result he is drawn deeper into a dangerous underworld.
-2
Dealing with the pressure of his father and his need to be someone, Pablo decides to start a new shady, tricky business that will lead him to some happy but tragic experiences.
-1
As Maddy takes on coaching a team of young twelve-year-old gymnasts, she faces up to intense city versus country rivalry, racism, cyberbullying and her own self-doubt but eventually takes the challenge head on.
-3
This reality series follows the Kretz family and their luxury property business as they help clients buy and sell fabulous homes in France and abroad.
2
In a city where citizens are monitored 24/7, a tech employee must outsmart her surveillance drone in order to investigate a murder.
0
Talent and passion for music can take one to the very top. On the way, however, there are going to be showbiz traps.
2
In a series of magical missions, quick-witted YooHoo and his can-do crew travel the globe to help animals in need.
1
Twins Dak and Leyla share a unique ability to communicate with dragons. The brother and sister lead a team of five young dragons that spend their days rescuing other dragons and helping the people in their adopted town of Huttsgalor.
2
Javier is going through a bad patch: he can hardly make it to the end of the month, his business of T-shirts with de-motivational slogans is not quite getting the attention, and his relationship with Lola is shacking. The least thing he needed was for an alien to fall on him and transfer his powers to him before dying.
-3
Christmas gets weird - really weird - after George and Harold go back in time to change up a few of their beloved holiday's traditions.
-1
Four sisters celebrate Christmas in their family home at 3 different times in their lives: teen-hood, adulthood and elderly age.
1
In 1993, Jisu and Jaehyeon, who met for the first time at the protest scene and being a first love to each other. After 26 years, Jisu and Jaehyeon accidently reunite.
0
A bigamist with one family in Buenos Aires and the other in Mar del Plata sees his life turned upside down when his wives discover what he has hidden from them for so many years and unite to take revenge.
-2
A news reporter looks into who has been anonymously leaving large cash gifts on random doorsteps in New York.
0
When the University of Oklahoma Sooners lose their star gymnast, Brenna Dowell, the rest of the team have to find a way to believe in themselves in order to win their second National Gymnastics Championship. With the help of Riley, a local breakdancing phenomenon, Chayse and her OU teammates learn to incorporate intricate breakdance techniques into their gymnastics routines in order to find a competitive edge. At the end of it all, they realize what matters most is finding the confidence to believe in yourself.
3
Get ready for a big shake-up when misfit bobbleheads take on trashy humans and a slobbery dog who crash their home with plans to swap a new baseball player bobblehead for a valuable one of them. With some guidance from Bobblehead Cher, they find the courage to bobble-up for an outrageous battle of wits and wobble.
-1
Wary of the effects of his good looks on others, a shut-in agrees to attend high school for the first time and meets a girl who's immune to his charm.
1
Thanks to Green Goblin and Venom, tech theft is now at an all-time high. Can our Friendly Neighborhood Spider-Man put an end to their mysterious villainous scheme before all of New York City is destroyed?
-2
Interior designers compete for a life-changing design contract and opportunity to work with a prestigious commercial client.
2
When a familiar-looking stranger crashes in without a memory, cory helps him remember the magic of Christmas to save the holiday for everyone
-1
The Rescue Riders have been asked to find a precious golden dragon egg, and keep it safe from evil pirates.
2
Demon High School is divide into a part-time system and a full-time system, Yoshiki Murayama is the head of the Demon high school and Kaede Hanaoka has an ambition to take on the full-time world in order to challenge Murayama one day.
-2
15-year-old scientist Ashley Garcia explores the great unknown of modern teendom after moving across the country to pursue a career in robotics.
1
In 1890s Malacca, Li Lan finds herself in the afterlife and becomes mired in a mystery linked to the sinister, deceased son of a wealthy family.
-1
It was a pre-destined love and marriage for Sonoko and Tetsuo. They tied the knot and became husband and wife no questions asked. All is well then. Well, perhaps not. Each holds a secret that even the binds of matrimony cannot untie. Sonoko does not know that Tetsuo makes sex dolls or Dutch wives. Sonoko has a secret too. She is about to tell Tetsuo what she has been hiding. Their marriage is already sexless. Will they make it?
3
Kill Me Darling is the story of a couple who decide to kill each other. Okan and Demet are married couple for 5 years. However, despite their years together, their relationship is not very good. The love of the two started like a fairy tale, continued with great excitement and reached a happy end. However, as their lives began to become ordinary after marriage, that sense of excitement within the couple began to die. At the end of 5 years, they become overwhelmed by each other. Even though they want different lives, the young couple, who cannot express it and start to become nervous to each other without making a sound, become a victim of a great misunderstanding on their wedding anniversary. As a result of the mistake, the husband and wife of 5 years decide to kill each other..
1
Based on the Buddhist tale of Angulimala, a dreaded serial killer, Psycho tells the story of a blind man who gets involved in a murder mystery.
-4
Zoey is excited to tackle second grade, but when danger beckons, she sneaks away and with her signature call out and transforms into StarBeam, the speediest, most powerful and most enthusiastic superhero to ever sip from a juicebox.
2
Behind the Scenes look at the hardships and drama of capturing footage from Our Planet.
-1
Family members grapple with the passing of their estranged father and the remnants of the life he led during his absence.
-2
A young couple who makes popular YouTube videos for children sets out to win an award, but an evil mastermind stands in the way of their success.
3
A star cowboy in a traveling rodeo gets thrown off course when he falls in love with the daughter of a tough-minded town councilman.
0
A town at the edge of the missing take desperate measures to avoid it.
-1
Juan Pablo, upon learning that he was going to die, decided to steal from the mafia and spend every penny in Europe with Javier, his only friend. Thus, these humble employees embark on a costly and fun journey, with the complicity of Monica, their co-worker.
-1
The Fix-It Force makes a plan to hit every home as fast as they can, delivering Blunderberry Cakes before the town awakes to avoid a holiday disaster.
0
This docuseries disputes the Mexican government's account of how and why 43 students from Ayotzinapa Rural Teachers' College vanished in Iguala in 2014.
-1
When mythical creatures come to life, it's up to Leo Teodora, Don Andrés and Alebrije -- super-secret monster hunters -- to save the day
-1
When the body of a powerful businesswoman goes missing from the morgue, the inspector-in-charge hunts for the truth. When he questions her husband he realizes that there is much more to the case than meets the eye.
1
Brazilian YouTube sensation Whindersson Nunes revisits his humble beginnings and much more in a series of playful stories and peculiar songs.
2
In this musical special, the Octonauts must find a way to hold back hungry swarms of coral-eating starfish to save a new friend's fragile reef home.
-1
The Carson kids win a talent show with a dance that Cory created. But when "The Chrissy" catches on, his little sister gets all of the attention.
2
A blindsided boyfriend must prove his fidelity when his girlfriend spontaneously dumps him after suspecting him of cheating. Based on the successful stan-up comedy show of the same name.
0
Anchored by a rare interview, this docuseries details Ted Kaczynski's path from a young intellectual to one of the most feared people in US history.
0
The de la Mora family, their friends, acquaintances, and rivals gather for the funeral of Virginia de la Mora.
-1
One hundred hardy souls from diverse backgrounds participate in playful experiments exploring age, sex, happiness and other aspects of being human.
3
A tennis whiz beats the odds to excel on the court while juggling school and inspiring teammates. Based on the hit manga series by Takeshi Konomi.
2
After a series of lies and misunderstandings, Aykut, a straightforward craftsmen, finds himself in the middle of wedding plans with Gulsah, an insurance broker. The problem is that Aykut is marrying with his fiance Nurhan a week later, whose family could kill him if they know the truth.
-3
She's the most unlikely candidate to ever stumble into the role of a reporter, and she’s keeping everyone on their toes with her eccentric ways.
-3
Dilan's involvement in the motorbike gang imperils his relationship with Milea, whose distant relative returns from Belgium.
0
A meeting with a new inmate in the psychiatric hospital flips Dr. Yehia's life upside down. She prophecies that the death of his entire family is only three days away.
-1
Viola Davis, Denzel Washington, George C. Wolfe and more share the heart, soul and history that brought August Wilson's timeless play to the screen.
0
When their parents' marriage threatens to crumble, the teenage Salazar siblings plot to reconcile them before their 20th wedding anniversary.
-1
A military veteran comes home to find her father harassed by a sheriff intent on confiscating the livestock on their ranch under shady pretenses.
-3
When Wesley puts his hands together, bows to his reflection and says the words, "Hello, Ninja" his surroundings instantly transform into an enchanting Ninja world.
2
Comedian Tom Papa takes on body image issues, social media, pets, Staten Island, the "old days" and more in a special from his home state of New Jersey.
-1
The death of their father causes three dysfunctional siblings to fight over their beloved childhood home.
0
Two best friends find fun and adventure while living in Rhyme Time Town, a fantastical place filled with beloved nursery rhyme characters.
3
This is the story of Alice Junior, a transgender girl full of life, who wants to give her first kiss, but first, she just wants to be who she really is.
0
Determined to make it in showbiz, an aspiring young actor considers turning his back on the beloved Irani café run by his family for generations.
1
A ghost hunter investigates an evil spirit dwelling within a young man who reportedly became possessed after playing with a Ouija board.
-1
Olivia, an undocumented Filipina immigrant paranoid about deportation works as a caregiver to a Russian-Jewish grandmother in Brighton Beach, Brooklyn, NY. When the man she’s secretly paying for a green card marriage backs out, she becomes involved with a slaughterhouse worker who is unaware that she’s a trans woman.
-1
This drama follows the relationship of a heartbroken woman and a young immigrant girl who has lost her mother at the border, coming together just before Christmas.
-1
Finally comfortable in his skin, seasoned comic David A. Arnold shares his talent for doing nothing, how he's petty and why divorce saves marriages.
2
A resilient housewife, her husband and their marriage therapist become mired in a toxic love triangle and a plot to obtain an antique manuscript.
0
Basilisks, dragons and more beasts haunt the Continent. Explore the mythologies of the mysterious monsters Geralt hunts to earn the coins tossed his way.
-3
Boi is a young man starting out in a new job as a chauffeur. While anxiously waiting for news from his girlfriend regarding a decision that could change both their lives, he must accompany his first clients, Michael and Gordon, two Asian businessmen who have come to Barcelona in order to close a multimillion-dollar deal.
-1
Six people compete for a 30,000 euro reward by singing popular songs.
2
Through the magic of the Story Spinner, True and her friends create their own versions of Pinocchio, Little Red Riding Hood and other classic tales.
2
Mila's dad runs the only magic pet store in the city - a fantastical place where you can find all sorts of cute and quirky pets who each have their own unique magic powers, and he has gifted Mila the most magic pet of all, Morphle.
5
Prahastha, a lonely astronaut, works in a spaceship. Every morning, his spaceship comes close to Earth and Cargos are delivered at the arrival bay. These Cargos are people who have just died on Earth and we learn that Prahastha works for Post Death Transition Services — a large, pioneering, bureaucratic company that stores, transitions, and recycles dead people for rebirth. Today, after many years, a young, popular astronaut — Yuvishka, trained in cutting edge technology, will join the spaceship as his assistant.
-1
Follow PinkFong and Baby Shark’s space journey as they visit mysterious planets to help find the special star for PinkFong!
-2
As her Christmas Eve wedding draws near, Jennifer is visited by an angel and shown what could have been if she hadn't denied her true feelings for her childhood best friend.
1
In 2010, at the peak of the Saudi YouTube movement, high school senior Husam finds himself drawn into the world of video production. He’s joined in his pursuit by his best friend Maan, their one-time foe Ibrahim, and Orabi a teacher with a passion for filmmaking. In the middle of their senior year, they set out to produce a no-budget horror movie – a wild adventure that will put their futures at risk.
-1
A Javanese royal and half-Dutch woman fall in love as Indonesia rises to independence from colonial rule.
0
The Super Monsters celebrate Día de los Muertos in Vida’s hometown with her magical family, some new monster friends and a spook-tacular parade!
1
Two nefarious schemes taking place 10 years apart entangle a dauntless triad member, who must break out of prison to rescue a loved one.
-2
To claim a big inheritance, a down-on-his-luck mechanic must win a series of competitions as outlined in his birth father's will.
1
When accused of a murder eerily parallel to a plot in his novel, a best-selling crime writer must navigate a web of hidden enemies.
-3
For an important case, a policeman needs the help of his former best friend to impersonate the daughter of a foreign dignitary in a beauty pageant.
3
A determined Qing dynasty princess contends with palace intrigue and a vendetta against her family while navigating the treacherous terrain of romance.
0
Cory, Chrissy and Freddie are on the hunt for king-sized candy bars this Halloween! But are all the treats worth the trek to the spooky side of town?
0
Scene-stealing queen Michelle Buteau dazzles with real talk on relationships, parenthood, cultural differences and the government workers who adore her.
2
In this interactive special, Harold and George need your decision-making skills to stop Krupp from blowing their beloved treehouse to smithereens.
2
After failing to deliver for a demanding bride, a wedding planner makes a bold business move and throws the wedding of the year — for herself.
-1
Children who play constantly with their phones now seem to have forgotten to play on the street. At the insistence of new friends, children decide to play in the park again to end this course. But there is a problem: Bad Kazim sitting in the house next to the park. What is the secret of the evil Kazim who scares everyone who comes to the park?
-4
Christmas 1969: the upcoming sale of Velvet brings the former and current staff together in Madrid for good memories, a second chance and a new beginning.
1
Larry the Cable Guy is back to Git R Done. Remain Seated, his latest solo special, will show you why this Grammy nominated, multi-platinum recording artist, and Billboard award winner is at the top of his game. Coming to you straight from the Rialto Square Theatre in Joliet, IL to your seat at home!
3
Two outsider college students set up a secret society circle, "Moai," which aims to change the world. But one day, one of them disappears.
-1
2 Weeks in Lagos is a turbulent and thrilling journey into the lives of Ejikeme and Lola. Their lives collide when Ejikeme, an investment banker, comes home from the United States with Lola's brother Charlie to invest in Nigerian businesses. 2 Weeks in Lagos captures the excitement, vibrancy, and complexity of everyday life in Lagos, a dynamic city where anything is possible in 2 weeks.
2
When a blind fortune teller decides to love a confident girl, who doesn't believe in fate, even the horoscope of both will be very strongly, that may cause his fate to be absent...
2
Living under the same roof, a group of unabashed friends wrestle with everyday issues from financial woes and shared quarters to romantic misfires.
-1
After the devastating loss of a loved one, Abby forms a bond with his sister's best friend as he struggles to move on.
-1
Comedian Ari Eldjárn pokes fun at Nordic rivalries, Hollywood’s take on Thor, the whims of toddlers and more.
0
Twenty years after their debut, join the beloved members of Arashi on a new journey as they showcase their lives, talents and gifts to the world.
2
Lobo's cousin Vida moves to town, Lobo shows her his favorite places around town, and the next day Vida has her first day of school.
1

0
Barack and Michelle Obama talk with the directors of the documentary American Factory about the importance of storytelling and the impact of their film.
0
Celebrity readers share children's books by Black authors to spark kid-friendly conversations about empathy, equality, self-love and antiracism.
2
Italian comedian Edoardo Ferrario riffs on life at 30 and unpacks the peculiarities of global travel, social media and people who like craft beer.
1
Tarek is given the task to come up with a million-dollar idea for the launch of a new bank. An idea strikes him, but he will only reveal it to the CEO, making Zeina, the CEO's assistant played by Bouchoucha, suspicious.
-2
Mistaking the sleeping passenger on his train for a drunk, a young man posts a picture of him online, unaware of his impulsive act's ugly repercussions.
-3
Shikara is the untold story of Kashmiri Pandits' forced exodus. It is the story of resilience in the face of insurmountable odds. It is also the story of a love that remains unextinguished through 30 years of exile. A timeless love story in the worst of times.
-1
Brazilian comedian Afonso Padilha dives into his humble beginnings and digs out hilarious stories about his childhood in this very personal set.
2
Sent from the future to look after a lonely girl, Eggy finds himself falling for her. But dating is forbidden and would risk both their fates.
-4
In a rollicking special, Thiago Ventura jokes about life in the hood, politics and more, explaining how actions speak louder then words.
-2
A woman dealing with the loss of her husband, the struggle of parenthood and finding work in a new state finds solace in her relationship with an 8 year old physically disabled girl named Justine who she takes care of.
-1
Mắt Biếc (Dreamy Eyes) tells the story of the one-sided love of Ngan for Ha Lan — his childhood friend.
0
The human drama is based on an interesting premise of a seasoned character actor who decides to come out of retirement and begin a quest for a record of some sorts, that elusive 500th role, the one for which he shall be remembered forever.
2
This biopic follows pro golfer Ariya Jutanugarn's journey to the LPGA tour, from child prodigy to her number-one ranking in the world.
1
A long-term couple finally decides to get engaged, and per Filipino pre-wedding tradition, the groom-to-be and his family go to his fiancée's family to settle the union. A series of unfortunate events follow as a pandemic hits, with the government suddenly implementing an Enhanced Community Quarantine. Now the would-be bride and groom, joined by their warring families, must live under one roof during a mandated lockdown.
0
When his unlucky horoscope doesn't bode well for his future wife, an earnest bachelor goes to surprising lengths to get the family he's always wanted. Will the stars align?
1
Omo Ghetto (Child of the Ghetto) franchise tells the story of twin sisters leading separate lives but are reunited by series of dramatic twists.
-2
In the bustling center of Hong Kong, five women reckon with betrayal, unrequited love and other matters of the heart
0
Quebecois comedy star Martin Matte serves up embarrassing personal stories, a solution for social media trolls and more in this unpredictable special.
-3
To honor his father, a diligent college graduate takes on the daunting goal of becoming a reporter for an English Premier League soccer club.
2
French comedy phenom Fary puts a playful spin on questions of identity, culture and more in the first half of an epic two-part stand-up special.
1
Three different people with three different goals set out on a liberating journey that is supposed to take them to their next destination in life.
0
Greedy Captain Fishbeard is stealing everybody's Halloween treats for himself, but StarBeam and Boost have some tricks up their sleeves to save the day!
-2
"The Good Bandit" introduces the new narco-comedy genre that, for the first time, presents a drug lord who repents of the choices he has made, willing to change his life away from the crimes and sins of his past. This story will show the funny situations that a bandit, who wants to learn how to be good, must confront. His path to redemption will be complicated as he will have to make a huge effort to get away from the temptations that the world brings outside of the law.
-2
The intimate lives of young men and women from Hong Kong are linked by loosely connected stories about love, lust, separation and deceit.
1
Documentary about the making of the Netflix FIlm "Unorthodox"
-1
Sleepless for 24 hours, contestants in the comedy game show stumble through challenges both eccentric and everyday for a chance at a $1 million prize.
-1
Cory's spending the summer at Camp Friendship with his best friend, Freddie. But jealousy flares when Freddie brings his cousin Rosie along for the ride.
-1
Jai Mummy Di is a light-hearted family comedy that portrays the trials and tribulations a couple has to undergo due to the dynamics between their respective mothers.
2
This is a new age family drama entertainer. The story is about a young graduate under pressure from his father who expects him to go and "settle" in USA to be seen as successful. #pressurecookermovie
1
After leaving a toxic relationship, Dinda embarks on a romance with Kale, whose view on love soon shatters as he wrestles with his own insecurities.
-2
The band Los Tigres del Norte visit both the male and female inmates of Folsom Prison. Inmates share their stories and how the music of Los Tigres del Norte speaks to them.
-1
RK Nagar is an upcoming Indian Tamil comedy film, written and directed by Saravana Rajan. The film features Vaibhav and Sana Althaf in the lead roles, while Sampath Raj plays a supporting role.
2
How can we bring accountability over the climate crisis? This inspiring story of youth activism documents 21 activists from across the nation as they file a groundbreaking lawsuit against the United States. The case reveals evidence that the government has endangered their constitutional rights to life, liberty, and property by acting over six decades to create the climate crisis. Youth v Gov, produced by the company behind acclaimed films such as The Ivory Game and Step, shows the power of young people to lead.
4
Comic Alex Fernández performs his familiar autobiographical stories but goes a little deeper this time with a tender tale about one of his six siblings.
1
A young woman of the Tarahumara, well-known for their extraordinary long distance running abilities, wins ultramarathons seemingly out of nowhere despite running in sandals.
3
In the context of a romantic comic, Omar marries his beloved Nessma despite her father's strong rejection, and after the wedding ceremony ends, unidentified men assault the bride's car, Omar asks his wife to escape, and during her escape, a car accident occurs, and she is transferred to the hospital. After she awakens from her coma, she is severely traumatized and refuses to see her husband Omar because she does not feel safe with him, so he must go to a psychiatrist to help him solve the problem.
-1
Swedish comedian David Batra gets personal as he playfully details the perks and pitfalls of being married to a recently resigned political leader.
0
When Lieutenant Morgan (Kevin Sorbo) and his armed force arrive on the scene of a church hostage situation, James (Casey Fuller) weighs his options for an escape while Elizabeth (Jenn Gotzen) makes it her mission to save his life.
-1
When a rude and arrogant princess finds herself relying on a gatekeeper after a terrible accident, it may be enough to make her change her ways.
-2
A devoted nun who cares for her elder sisters must choose between upholding her vows or pursuing her forbidden feelings for a fascinating pastor.
0
When Santa needs serious help prepping all of his presents, the Super Monsters lend a hand - and some monster magic - to get every gift out on time.
0
After a betrayal at work, a finance professional becomes an assistant to a bride shaman in order to salvage her only remaining property — and love life.
1
A young boy who gains the powers to turn from human a living toy must protect his bracelets, which give him his powers, from the hands of evil, toys come to life.
1
A hardworking lorry driver who works at an old paper mart learns about the presence of a bomb and does everything he can to stop it from exploding.
0
Rhys Nicholson flexes his biting humor as he discusses horse tranquilizers, angry letters from viewers, and more in this stand-up special.
-1
Revisiting life goals set in a letter written as a teen to his future self, comedian Kanan Gill reports back on if he's lived up to his own expectations.
0
Spookley and Mistletoe encounter three stray kittens for whom they must brave a raging winter storm to find a home.
0
A young man struggles for justice for the victims who are affected by the chemical plant leakage which lead to many deaths in the village.
-2
After a long stint in the army, an ex-lieutenant returns home and enters an underground MMA match to take on a local mobster and protect his family.
0
'And So It Happened' is a series that deals with the different problems women have been facing in Egypt, especially in the Southern parts, between the years 1918 and 2018, showing the difference in ideas and traditions.
-1
Having driven away many of his employees, Bossman and three of his long-suffering workers try to find cheap labor in Vietnam but find trouble instead.
-2
A feisty girl from Ghaziabad makes her profile on an online dating app and her left and right swipes on the app lead to hilarious consequences.
3
A teenager in Arkansas searches for identity in the headscarf and a motorcycle in the aftermath of her father's imprisonment. Set in 2006, the film explores the results of Arab and Muslim Americans being increasingly detained for "guilt by association". The film links the civil rights struggle of Arab/Muslim Americans with that of African Americans through Marjoun's attendance of Central High School. It weaves her story into the lineage of the Little Rock Nine. This film is set also at Magnolia Grove Monastery in Mississippi. This Zen Buddhist monastery has been established in the tradition of the friendship of Dr. Martin Luther King, Jr. and Zen Master Thich Nhat Hanh, bringing together the themes of civil rights movements and interfaith practice. This is an expansion of the short film by the same title, that was an official selection of the Sundance Film Festival.
0
The adventures of 35-year-old Oyin Clegg and her friends Toke and Gloria as they kiss the many frogs in the quest to find their prince. In the process, they are forced to ask important questions about their friendship, love and life ultimately asking - finding hubby or finding happy?
3
Three siblings live in happy-looking families, but one of them changes and gets warned by his parents, prompting the rebellion of the three siblings which led to the discovery of the secrets and great trauma in their families.
0
Set in South Africa's rural Great-Karoo region in the 1950s, this epic existential-adventure film chronicles the exploits of the outlaw John Kepe and the various individuals his escapades affected. This Robin-Hoodesque figure would steal primarily livestock from the white settler farmers, terrorizing them for over a decade. Led by the hardliner General Botha, a mammoth manhunt ensues in the very mountain where Kepe was rumored to occupy a Noah's Ark like cave. This spectacle ingratiated Kepe in the hearts of the marginalized indigenous-population, who turn Kepe's miscreant deeds into the stuff of legend, making him a threat to the very fabric of the colonial society. Sew the Winter to my Skin is a thrilling, operatic ride into the heart of Pre-Apartheid South Africa and is a visceral exploration of the effects of the colonial displacement that sewed the seeds for one of the most viciously racist, political regimes in history.
-7
Two ambitious youngsters who make a living through a YouTube channel agree to perform a few tasks for a businessman when the latter offers them huge money.
1
"Miss Culinary" reveals the brilliance of a young man who tries to keep his girlfriend by telling delicious stories of his mother's recipes to win his girlfriend's heart back. With the story of his mother's life being sour, sweet, salty, spicy, it tells of a girl who ran away from her hometown in Uthai Thani province to face life in Bangkok in the 70s in order to fulfill her dream of being a chef at a 5-star hotel, along with love.
3
It's almost Christmas and Santa's test flights have run into trouble. Can The Elf on the Shelf, a crew of adorable Elf Pets Reindeer and Santa's gang of trusted Scout Elf friends help him find the answer before it's too late? Join Santa's cast of whimsical characters in this animated Christmas Special full of toe-tapping humor and heart, as they work together to save the holiday season and discover the power of love.
4
A world-weary man's self-imposed home confinement becomes a comedy of errors with the simultaneous arrivals of a peculiar package and a curious journalist.
-2
Spring has sprung in Rainbow City, and Wuzzle Wegg Day is right around the corner! But Bartleby's convinced that a Wegg-stealing monster is on the loose.
-1
Metin Akpınar has not been on the theater stage since 1992. In addition to TV series and movies, new generations were able to meet him with Devekuşu Kabare's six plays that could be recorded. As if it was written today, those who watched had a taste of his unique acting in current plays. It was an acting that accompanied his talent and his intellectual background. "I'm Glad I Did", when transferring through the years Metin Akpinar he brought his own narrative, on the other hand, offers a different approach to Turkey's recent history, leaving an archive for the future by refreshing memory.
3
On the eve of his tenth birthday, when Chippa receives a letter for his long-absent father, he decides to leave his pavement abode to find out more.
0
A romantic film presenting a love story that is both sweet and bitter. Can love be found amidst clashes and troubles?
1
A righteous fallen angel must work with a rating-obsessed reporter to investigate crimes as journalists in a highly competitive newsroom.
2
The irrepressible Ratones Paranoicos, Argentina's most enduring rock band, are featured in vintage concert and backstage footage as their story's told.
-1
Walk down memory lane and experience the soundtrack to beloved film "Generasi 90an: Melankolia" through nostalgic performances.
1
When the matriarch of a dysfunctional family wakes up after a long induced coma, the members of the household set aside their differences to help her adapt to the changes.
0
True and Bartleby try to cheer up the Rainbow Kingdom's loneliest citizen, but his gloomy mood is contagious! Can a trio of wishes turn things around?
-1
Luccas Neto is planning a big Children's Day celebration at a school but an unexpected threat puts the party and his friends at risk.
-2

0
Sirisha grows up living in her beautiful dream aspires to major in music but has to promise her father that she would marry the man he chooses if she wants to moves to the city and learn violin.
2
He's mid-30s going on 79, with scathingly funny views on fatherhood, marriage and society. Let Maurício Meirelles give you a tour of his chaotic mind.
-3
Three friends in their 70s step out of retirement to become a band of outlaws whose mission is to help those let down by the justice system.
-1
A story of a North-east Indian football player who's fighting day and night with the society in order to achieve his dreams. The film covers all kinds of layers in one single film from negative backlashes, social pressures to a complete change over in one's life.
-1
The movie traces three real-life incidents that took place in '80s, 90s and 2000s respectively through the stories titled 'Orphan and the Convict', 'The Farmer and the Nun' and 'The Terror and the Mom'.
-1
When the news of his village's school Kabaddi team travelling to Mumbai breaks out, a 10-year-old boy with a speech defect sees the opportunity to meet the girl he adores. But how will he chant 'Kabaddi, Kabaddi' without stammering?
-2
Two live performances, one in English and one in Spanish. No matter the language, Felipe Esparza is muy muy.
0
Rising India-based comics Prashasti Singh, Kaneez Surka, Supriya Joshi, and Niveditha Prakasam bring no-holds-barred humor to this stand up series
1
An unwavering young warrior's determination to save women and children abducted by pirates, leads him to his sweetheart and to confront a brutal tyrant and his devious sorcerer.
-1
A thriller film directed by Ravi Babu, starring Ravi Babu and Neha Chauhan in the lead roles.
1
A Perfect Day for Arsenide adapts ten stories from the same-titled novel by Hong Kong writer Pizza, the author of Lost On A Red Mini Bus To Taipo. Spanning suspense, horror, comedy, fantasy and more, the inventive series rolls out whimsical and bizarre stories about the absurdity of life in the wild city of Hong Kong.
-2
Friends Motu and Patlu must save the world from three space thieves, but the job gets much harder when a cosmic collision gives the enemies superpowers!
-1
Wanted is a very human comedy about four old people who run away from a nursing home in the name of love and solidarity.
2
A light comedy about a man who enlists the help of two people in order to steal important documents from a bank safe, which leads them to pick and train two clueless thieves to do the job.
1
A look at the aftermath and global impact of the docuseries 'Surviving R. Kelly'.
0
A young reporter's investigation into a string of grisly suicides takes a dangerous detour when she follows the clues to a cursed stretch of road.
-4
Three young men wake up from sleep, all three discover that they are in strange places and unfamiliar to them, and try to find out what happened in the past hours.
-2
Albert Pinto goes missing one day and his girlfriend and family start making rounds at the police station to track him down. Unknown to them, he is on his way to Goa to carry out his first assignment as a hitman.
-1
A long-time unemployed graduate, faced with life's pressures decides to relocate to Kaduna from Lagos when an opportunity presents itself against his sister's wishes. His expectations is however cut short and Akande must make a decision to either learn to survive or return back to failure.
-3
During the 1990 World Cup, two young Palestinian boys are on a quest for “Maradona’s legs”; the last missing sticker that they need in order to complete their world cup album and win a free Atari.
2
As Sarah and her child look to settle in Jakarta, Zaenab searches for answers and gets caught between defending her marriage to Doel or letting it go.
0
Guddiyan Patole is a Punjabi movie starring Sonam Bajwa, Gurnam Bhullar and Nirmal Rishi in prominent roles. It is a drama directed by Vijay Kumar Arora, with Jagdeep Sidhu as writer, forming part of the crew.
1
Genuine connections between children and nature can revolutionize our future. But is this discovery still possible in the world's major urban centers? The new chapter of "The Beginning of Life" reveals the transformative power of this concept.
2
In the aftermath of the 1967 defeat, four young Lebanese try to figure out their places in a society whose rules seem to have changed. It proved to be an extraordinary anticipation of the civil war that would engulf the country while the film was being edited.
1
When a giant Grippity-Grab snags Grizelda's friendship bracelet and turns her into a mermaid, True heads under the sea with magic wishes to save the day.
0
Love is war is an intense drama about a husband and wife battling for governorship of Ondo State.
0
Sexual violence against women is a very effective weapon in modern warfare: instills fear and spreads the seed of the victorious side, an outrageous method that is useful to exterminate the defeated side by other means. This use of women, both their bodies and their minds, as a battleground, was crucial for international criminal tribunals to begin to judge rape as a crime against humanity.
-1
A chance encounter brings a brash, wealthy young man and an underprivileged woman together when they get stuck in an elevator and she goes into labor.
-1
The Sugar Sisters discover a whopping $800,000, the financial crimes commission and the supposed owners of the money come for them. Now they team up with unlikely allies and it’s a race against the clock to set things right.
-1
Lola Igna is a foul-mouthed and stubborn woman who is eager to die but her neighbors are hung up on her winning "the oldest living grandmother in the world." Her long-lost great-great-grandson, Tim, is an aspiring vlogger who wants to latch on her now-famous grandma but ends up giving her a new reason to live.
-1
Becoming a chef is Aiye’s greatest desire. But. She is a young, struggling, single mother who has been abandoned by her family. To settle for defeat, or to fight against all odds to become the chef of her dreams? That is the question.
1
Ali and Alia are childhood neighbors that fell in love with each other, but bigger events occur in their lives which gets them separated. Ali seeks to maintain Alia's heart even if it is through substance abuse.
-1
In this provocative and personal documentary, director Lina Al Abed searches for traces of her disappeared father: a seemingly ordinary Palestinian family man who was actually a secret member of a militant splinter faction and vanished when she was just a child.
-1
The second part of the P.L Deshpande biopic which starts off where the first one left off and essays the achievements of the writer.
1
Two college freshmen, Pol and Laya, accidentally meet during their last day of school in Baguio City. Laya is about to move back to Manila to escape from her failed romance, while Pol is about to spend a care-free night in a music festival. After witnessing Laya’s breakdown because of her recent heartbreak, Pol gets an idea to make her last night in Baguio fun and memorable.
0
A young man attends a college reunion with a fake girlfriend in an attempt to make his ex jealous.
-2
Mohamed Hussein, a chauffeur at a 5-star hotel, is accused by the police of murdering a famous painter who had just arrived from Paris and was staying at the hotel where he works, since he was the last person to come in contact with him. Before his death, the painter sketches a grand painting on Mohamed's back which draws the attention of a mob who are now after his "back-painting".
2
Jada is 7 years old. Jada lives alone on Venice Beach. By following her through a day in her life, the story of who she is, why she is there, and who the man is that has come looking for her unfolds.
0
When a business mogul hires an exotic dancer for a weekend of entertainment, it quickly morphs into a messy situation full of misunderstanding.
-2
Following all the singers from Filosofi Kopi's soundtracks, this concert talked about coffee and how life changed 'cause of it.
0
Thomas the Tank Engine has traveled a lot, but is now going to Italy for the first time! There he meets the nice and smart Gina, an expert in everything that is Italian. Thomas believes he is very smart and wants to prove to Gina that he does not need her help, but in reality he is astonished by everything he sees... Because why is that tower so crooked? And why do the buildings look so unfinished? And what about the mysterious story of the Lost Locomotive? When Thomas gets lost in an old mine because of his recklessness, he soon finds out that learning new things - just like making new friends - takes time!
-2
Naji decides with his friends to go on holiday to a mountainous region, they face many funny and strange comedy situations ,but unexpected moment happened turned their funny journey to horror, fear and mystery.
-6
A woman and her ex consider pregnancy to create a donor for their sick child.
-1
A dynamic take on the life of Syrian refugees told through black comedy.
1
Meeting after many years, a makeup artist and her grandmother revisit tensions from an old family feud that still hangs heavy between them.
-2
O Pitta Katha is a Telugu movie released on 6 Mar, 2020. The movie is directed by Chandu Muddu and featured Viswant Duddumpudi, Brahmaji, Nithya Shetty and Sanjay Rao as lead characters.Other popular actors who were roped in for O Pitta Katha is
1
High End Yaariyaan is a tale of 3 friends Ranjit Bawa, Jassie Gill, and Ninja who lives abroad. The story narrates how their friendship has evolved over a period of time and the struggles they each go through while living away from their homeland.
-1
An aspiring actress is admitted to a prestigious conservatory but must pay her tuition by working as a performer for an unusual company.
0
A child named Amr, the school's headmaster summons his guardian because of the problems he causes, but on the other hand his father Ragheb suffers from problems with his mother Sarah, who asked him to retrieve the memories of their love by grouping their high school students.
-2
This short film follows a day in the life of a young woman in Egypt and how her interactions with others expose long-standing stereotypes and biases.
-2
An engaged couple hit a number of speed bumps on their road to matrimony including major career complications and questions of fidelity.
-1
Explore the life of Chicano activist Carlos Almaraz, sexual outlaw and visionary painter of some of the most unforgettable images of Southern California.
1
After the 1978 Israeli invasion of Lebanon, children try to sing the national anthem as citizens search for hope in the war-torn South.
0
Prof Dhoomketu’s crude transportation machine transports the kids to Ivano village in Russia, where they come across an evil magician Kazimir. They fight him to rescue Sofia and her father Czar Fedor.
-2
A board game becomes all too real for buddies Motu and Patlu when they get transported into its world of monsters, magic and mayhem.
0
In a small Maharashtrian town, a woman's rise in the political hierarchy creates ripples across the social-political spectrum. Directed by Makarand Mane, KaaGaR stars Rinku Rajguru in the lead role.
1
In a mold of romantic comedy, a young man and girl struggle with many material and social difficulties in trying to conclude their marriage, and unexpectedly, the owner of the company they work for offers an alluring offer that helps them solve all their problems, but he will put their love to the test.
0
Gregoria Rosello is a comediant of stand up. In his show he told with the audience about parts of his life and very common things that happened in Argentina. The show is incredible but in my opinion only people that are Argentinean can understand all the show.
1
Local rivals gear up to compete in a traditional game that tests their physical strength and endurance, but complications disrupt their training.
-3
When the end is written even before everything begins, and Khaled's future is in risk for a crime he didn't do, An officer is set to bring him down.
-2
Members of Thai girl group BNK48 share the ups and downs of preparing for the 6th Single Senbatsu General Election.
0
After his affluent father passes, a man must survive seven days in the Nigerian neighborhood of Ajegunie, where obstacles keep him from his inheritance.
0
Umm Abdullah is a woman of humble origin, who lives in a local neighborhood and fends for her family by running a hairdresser's.
1
Due to a case of mistaken identity, three dissatisfied friends are contracted to commit a seemingly simple theft. Even worse, the man originally contracted for the job is on the hunt for them.
-3
A look at the life and career of Garth Brooks and his wife Trisha Yearwood.
0
To please her mother, a woman sets out to find a husband, and makes an ambitious plan to find a match -- and get married -- within one year.
1
This documentary takes a close look at the lives and passions of the men and boys who hustle or run with a gang on the streets of Lagos.
1
"King of Bollywood" Shah Rukh Khan opens up about his rise to fame, his family and his billions of fans as he and Dave meet up in Mumbai and New York.
1
When a wardrobe malfunction goes viral, a bubbly live streamer struggles to navigate her classmates' cruel judgment and the small town she lives in.
-2
After years of fertility issues and her mother-in-law's nagging, a woman hires her assistant as a surrogate. But things don’t go as smoothly as planned.
-1
A group of neglected young people who are hooked on a video game find themselves in increasingly dangerous situations that might result in death.
-3
In this deeply profound and important mockumentary series, Philomena Cunk tells the entire story of Human Civilisation from prehistoric times to the present day, covering all the main bits of History, Science, Culture and Religion. So this really is the last documentary you ever need to watch.
2
Wednesday Addams is sent to Nevermore Academy, a bizarre boarding school where she attempts to master her psychic powers, stop a monstrous killing spree of the town citizens, and solve the supernatural mystery that affected her family 25 years ago — all while navigating her new relationships.
-3
The story of the Agojie, the all-female unit of warriors who protected the African Kingdom of Dahomey in the 1800s with skills and a fierceness unlike anything the world has ever seen, and General Nanisca as she trains the next generation of recruits and readies them for battle against an enemy determined to destroy their way of life.
0
Paul Baumer and his friends Albert and Muller, egged on by romantic dreams of heroism, voluntarily enlist in the German army. Full of excitement and patriotic fervour, the boys enthusiastically march into a war they believe in. But once on the Western Front, they discover the soul-destroying horror of World War I.
4
Master detective Benoit Blanc is taking on a new murder case.
0
A group of teenage friends are infiltrated by the Red Rose app, which flourishes on their smartphones and threatens them with dangerous consequences if they don't comply with its demands.
0
Unlucky assassin Ladybug is determined to do his job peacefully after one too many gigs gone off the rails. Fate, however, may have other plans, as Ladybug's latest mission puts him on a collision course with lethal adversaries from around the globe—all with connected, yet conflicting, objectives—on the world's fastest train.
-4
Passengers on an immigrant ship traveling to the new continent get caught in a mysterious riddle when they find a second vessel adrift on the open sea.
-1
Upon escaping after decades of imprisonment by a mortal wizard, Dream, the personification of dreams, sets about to reclaim his lost equipment.
-1
Dramatizes a contemporary American family's attempts to deal with the mundane conflicts of everyday life while grappling with the universal mysteries of love, death, and the possibility of happiness in an uncertain world.
-3
A fledgling lawyer at the CIA that becomes enmeshed in dangerous international power politics when a former asset threatens to expose the nature of her long-term relationship with the agency unless they exonerate her of a serious crime.
-1
A fictional history of two legendary revolutionaries' journey away from home before they began fighting for their country in the 1920s.
1
Desperate for income, Emily takes a shady gig buying goods with stolen credit cards supplied by a charismatic middleman named Youcef. Seduced by the quick cash and illicit thrills, they hatch a plan to take their business to the next level.
-1
Finding a ghost named Ernest haunting their new home turns Kevin's family into overnight social media sensations. But when Kevin and Ernest investigate the mystery of Ernest's past, they become a target of the CIA.
-1
A suburban mother of two takes a fantasy-charged trip down memory lane that sets her very married present on a collision course with her wild-child past.
0
A world-weary detective is hired to investigate the murder of a West Point cadet. Stymied by the cadets' code of silence, he enlists one of their own to help unravel the case - a young man the world would come to know as Edgar Allan Poe.
-3
Angsty and awkward fifteen year old Ginny Miller often feels more mature than her thirty year old mother, the irresistible and dynamic Georgia Miller. After years on the run, Georgia desperately wants to put down roots in picturesque New England and give her family something they've never had... a normal life. But it's not all carpool and Kombucha as Georgia's past threatens her and her family's new way of life... and Georgia will do anything to protect her family.
3
During the rise of fascism in Mussolini's Italy, a wooden boy brought magically to life struggles to live up to his father's expectations.
-2
In this sequel to "Vikings," a hundred years have passed and a new generation of legendary heroes arises to forge its own destiny — and make history.
3
Hundreds of cash-strapped players accept a strange invitation to compete in children's games—with high stakes. But, a tempting prize awaits the victor.
0
A prisoner on death row in the US, a vicar in a quiet English town, and a maths teacher trapped in a cellar cross paths in the most unexpected way.
-3
In a world cleaved in two by a massive barrier of perpetual darkness, a young soldier uncovers a power that might finally unite her country. But as she struggles to hone her power, dangerous forces plot against her. Thugs, thieves, assassins and saints are at war now, and it will take more than magic to survive.
-4
A family moves into their suburban dream home, only to discover they've inherited a nightmare.
-1
Adam Lawrence was trained and groomed by MI6; his career seems set. When the past catches up with him in the form of Kara, a Russian spy with whom he shares a complicated past, he is forced to question everything and everyone in his life.
-1
Abandoned by her family, Kya raises herself all alone in the marshes outside of her small town. When her former boyfriend is found dead, Kya is instantly branded by the local townspeople and law enforcement as the prime suspect for his murder.
-2
The story of a cannibalistic serial killer named Jeffrey Dahmer A.K.A. the Milwaukee Monster.
-2
Feature film based on the children's book about a crocodile that lives in New York City.
0
Amateur baseball players go up against legendary pros in a championship to determine the ultimate winning team.
2
From her volatile childhood as Norma Jeane, through her rise to stardom and romantic entanglements, this reimagined fictional portrait of Hollywood legend Marilyn Monroe blurs the lines of fact and fiction to explore the widening split between her public and private selves.
-5
More than a thousand years before the world of The Witcher, seven outcasts in the elven world unite in a blood quest against an unstoppable power.
-1
A fanboy of a supervillain supergroup known as the Vicious 6, Gru hatches a plan to become evil enough to join them, with the backup of his followers, the Minions.
-1
Amid the stark discord of twin cities Piltover and Zaun, two sisters fight on rival sides of a war between magic technologies and clashing convictions.
-2
Sidelined after an accident, hotshot Los Angeles lawyer Mickey Haller restarts his career — and his trademark Lincoln — when he takes on a murder case.
-1
April, 1940. The eyes of the world are on Narvik, a small town in northern Norway, a source of the iron ore needed for Hitler's war machine. Through two months of fierce winter warfare, the German leader is dealt with his first defeat.
0
A Street Kid trying to survive in a technology and body modification-obsessed city of the future. Having everything to lose, he chooses to stay alive by becoming an Edgerunner a Mercenary outlaw also known as a Cyberpunk.
-2
Brilliant attorney Woo Young-woo tackles challenges in the courtroom and beyond as a newbie at a top law firm and a woman on the autism spectrum.
3
A renowned Mexican journalist and documentary filmmaker living in Los Angeles, after being named the recipient of a prestigious international award, is compelled to return to his native country, unaware that this simple trip will push him to an existential limit.
2
An isolated island community experiences miraculous events - and frightening omens - after the arrival of a charismatic, mysterious young priest.
-1
Two young people meet. A fateful encounter - the proverbial love at first sight. He is Emperor Franz Joseph of Austria-Hungary, she is Elisabeth von Wittelsbach, Princess of Bavaria and the sister of the woman Franz is to marry…
0
When a young girl stows away on the ship of a legendary sea monster hunter, they launch an epic journey into uncharted waters - and make history to boot.
0
A young street-smart, Nathan Drake and his wisecracking partner Victor “Sully” Sullivan embark on a dangerous pursuit of “the greatest treasure never found” while also tracking clues that may lead to Nathan’s long-lost brother.
1
When a shadowy CIA agent uncovers damning agency secrets, he's hunted across the globe by a sociopathic rogue operative who's put a bounty on his head.
-3
At a manor with a mysterious history, the 8 members of the Midnight Club meet each night at midnight to tell sinister stories – and to look for signs of the supernatural from the beyond.
-2
A young woman is courted and swept off her feet, only to realize a gothic conspiracy is afoot.
-1
For decades, childhood best friends Kate and Tully have weathered life's storms together -- until a betrayal threatens to break them apart for good.
0
After a childhood marked by pain and violence, a woman puts a carefully planned revenge scheme in motion.
-2
When a 20-year-old attempts to win a fighter jet in a Pepsi sweepstakes, he sets the stage for a David versus Goliath court battle for the history books.
1
A journalist with a lot to prove investigates the case of Anna Delvey, the Instagram-legendary German heiress who stole the hearts of New York’s social scene – and stole their money as well.
-1
France, 1914. The destinies of four women intersect : Marguerite, a mysterious Parisian prostitute, Caroline, propelled to the head of the family factory, Agnes, Mother Superior of a requisitioned convent and Suzanne, a feminist nurse.
1
Inspired by the adventures of Arsène Lupin, gentleman thief Assane Diop sets out to avenge his father for an injustice inflicted by a wealthy family.
-1
Welcome to Murderville, a new series starring Will Arnett as a detective who, in every episode, has to solve a murder with a new celebrity guest star as his partner.  The catch is: the guest star is never given a script so they have to improvise their way through the case!
0
An American woman falls in love with a Sicilian man while studying abroad in Italy.
0
Two American astronomers attempt to warn humankind about an approaching comet that will wipe out life on planet Earth.
0
Determined to protect a young patient who escaped a mysterious cult, a psychiatrist takes the girl in, putting her own family — and life — in danger.
0
Now a detective-for-hire like her infamous brother, Enola Holmes takes on her first official case to find a missing girl, as the sparks of a dangerous conspiracy ignite a mystery that requires the help of friends — and Sherlock himself — to unravel.
-4
An extraordinary young girl discovers her superpower and summons the remarkable courage, against all odds, to help others change their stories, whilst also taking charge of her own destiny. Standing up for what's right, she's met with miraculous results.
6
After the fall of the Berlin Wall, a former spy killer is set free and embarks on a revenge spree against the people who conspired to betray her.
-3
For employees of the Deep State, conspiracies aren't just theories, they're fact. And keeping them a secret is a full-time job.
-1
Dangerously ill with a rare blood disorder, and determined to save others suffering his same fate, Dr. Michael Morbius attempts a desperate gamble. What at first appears to be a radical success soon reveals itself to be a remedy potentially worse than the disease.
-3
A basketball scout discovers a phenomenal street ball player while in Spain and sees the prospect as his opportunity to get back into the NBA.
1
In candid conversations with actor Jonah Hill, leading psychiatrist Phil Stutz explores his early life experiences and unique, visual model of therapy.
1
Suspicious that her colleague is responsible for a series of mysterious patient deaths, a nurse risks her own life to uncover the truth.
-3
Four men and women working at the same bank get entangled in a complicated romance as they discover how far they’re willing to go for love.
1
Before eradicating humankind from the world, the gods give them one last chance to prove themselves worthy of survival. Let the Ragnarok battles begin.
2
When his teenage granddaughter falls victim to the drug dealers overtaking his neighborhood, a fed-up war veteran takes matters into his own hands.
0
Buster and his new cast now have their sights set on debuting a new show at the Crystal Tower Theater in glamorous Redshore City. But with no connections, he and his singers must sneak into the Crystal Entertainment offices, run by the ruthless wolf mogul Jimmy Crystal, where the gang pitches the ridiculous idea of casting the lion rock legend Clay Calloway in their show. Buster must embark on a quest to find the now-isolated Clay and persuade him to return to the stage.
-2
In this feel-good workplace comedy, the staff at the last surviving Blockbuster video store tries to keep the business afloat.
1
Caught between two warring clans, the son of a notorious witch responsible for a deadly massacre tries to find his place in the world — and his powers.
-3
When Sheriff Roy Pulsipher finds himself in the afterlife, he joins a special police force and returns to Earth to save humanity from the undead.
0
After accidentally crash-landing in 2022, time-traveling fighter pilot Adam Reed teams up with his 12-year-old self for a mission to save the future.
0
When the Bad Guys, a crew of criminal animals, are finally caught after years of heists and being the world’s most-wanted villains, Mr. Wolf brokers a deal to save them all from prison.
-3
Haunted by her past, a nurse travels from England to a remote Irish village in 1862 to investigate a young girl's supposedly miraculous fast.
2
A powerful sorceress in a blind woman's body encounters a man from a prestigious family, who wants her help to change his destiny.
2
Teens Charlie and Nick discover their unlikely friendship might be something more as they navigate school and young love in this coming-of-age series.
0
It follows Louise, a single mom with a son and a part-time job in a psychiatrist's office. She begins an affair with her boss and strikes up an unlikely friendship with his wife.
-2
With great power at stake, a group of rebel mages and thieves goes head-to-head against a sinister force possessing a dangerous artifact.
-1
Hours after the tragic death of their youngest brother in unexplained circumstances, three siblings have their lives thrown into chaos.
-4
Charismatic rancher Phil Burbank inspires fear and awe in those around him. When his brother brings home a new wife and her son, Phil torments them until he finds himself exposed to the possibility of love.
1
Two strangers strike up a conversation on a long journey. One is a suspect in an unsolved missing person’s case and the other an undercover operative on his trail. Their uneasy friendship becomes the core of this tightly wrought thriller, which is based on the true story of one of the largest investigations and undercover operations in Australia.
-5
The Elephant Whisperers follows an indigenous couple as they fall in love with Raghu, an orphaned elephant given into their care, and tirelessly work to ensure his recovery & survival. The film highlights the beauty of the wild spaces in South India and the people and animals who share this space.
3
Follows the life of Father Stuart Long, a boxer-turned-priest who inspired countless people during his journey from self-destruction to redemption.
1
From their courtship to their exit from royal life, Harry and Meghan share their complex journey in their own words in this docuseries.
-1
On a deserted island, flirtatious singles look for love, because only as a couple can they leave the island for a romantic date in paradise.
3
Determined to remove her daughter's photos from a revenge porn website, a persistent mother launches an online crusade to shut down its cruel founder.
-2
Mehdi, a qualified robber, and Liana, an apprentice thief, get involved in a turf war between drug dealers, and have to collaborate in order to save their loved ones.
2
A high school becomes ground zero for a zombie virus outbreak. Trapped students must fight their way out — or turn into one of the rabid infected.
-6
Six high schoolers stuck in a murderous time loop must find the scattered remains of an unknown victim to break the curse and finally see another day.
-5
In a vengeful quest to find out who killed her husband, a woman ends up exposing her small community's deepest and ugliest secrets.
-3
Thale (17) has just moved with her parents to a small town after her mother has a new job in the local police. After a student is killed brutally at a party Thale attends, she becomes a key witness. Was the killer an animal? A wolf?
-3
After an experimental gene therapy turns them into monsters, three twenty-somethings band together to hunt down the scientist responsible and force him to make them human again.
-1
Interviews with friends, family and Sally McNeil herself chart a bodybuilding couple’s rocky marriage — and its shocking end in a Valentine's Day murder.
-3
Journalist Graham Hancock travels the globe hunting for evidence of mysterious, lost civilizations dating back to the last Ice Age.
-2
After two hapless TV technicians stumble upon a murder scene, every step they take to avoid becoming suspects lands them in deeper trouble.
-5
She was once as famous as Jackie O—and then she tried to take down a President. Martha Mitchell was the unlikeliest of whistleblowers: a Republican wife who was discredited by Nixon to keep her quiet. Until now.
2
In a dystopian world, as an epidemic spreads through verbal communication, a tyrannical institution pursues a linguist immune to the disease.
-2
Anthony Templet shot his father and never denied it. But why he did it is a complex question with profound implications. Explore Anthony's psyche prior to the events of June 3, 2019 and the journey of his mental and emotional aftermath.
-2
Does infinity exist? Can we experience the Infinite? In an animated film (created by artists from 10 countries) the world's most cutting-edge scientists and mathematicians go in search of the infinite and its mind-bending implications for the universe.  Eminent mathematicians, particle physicists and cosmologists dive into infinity and its mind-bending implications for the universe.
-1
A sudden tragedy brings the wife of an assemblyman out of her private life and forces her to confront family secrets and her own troubling past.
-3
When Lori Vallow's kids vanished, the search for them unearthed a trail of suspicious deaths, a new husband who shared her doomsday views — and murder.
-4
Identical twins Leni and Gina have secretly switched places for years. But when one sister disappears, both of their lives start to fall apart.
-1
In the days leading up to Christmas, a young & newly engaged heiress experiences a skiing accident. After being diagnosed with amnesia, she finds herself in the care of the handsome lodge owner and his daughter.
2
Deep inside the mountain of Dovre, something gigantic awakens after being trapped for a thousand years. Destroying everything in its path, the creature is fast approaching the capital of Norway. But how do you stop something you thought only existed in Norwegian folklore?
0
A woman in New York, who seems to have things under control, is faced with a trauma that makes her life unravel.
-2
To build an innovative sex app and win a tech competition, a sexually inexperienced student and her friends must explore the daunting world of intimacy.
1
Missing ₩70 billion appears to three sisters who grew up in absolute poverty but with a close bond. Entangled in a conspiracy that involves the rich and powerful, three sisters who wanted to live like everyone else confront a life task whether to keep or to return the money.
0
History exists beyond what is written. The Africatown residents in Mobile, Alabama, have shared stories about their origins for generations. Their community was founded by enslaved ancestors who were transported in 1860 aboard the last known and illegal slave ship, Clotilda. Though the ship was intentionally destroyed upon arrival, its memory and legacy weren’t. Now, the long-awaited discovery of the Clotilda’s remains offers this community a tangible link to their ancestors and validation of a history so many tried to bury.
-2
In Texas, Mo straddles the line between two cultures, three languages and a pending asylum request while hustling to support his Palestinian family.
1
Nearly three decades after the discovery of the T-virus, an outbreak reveals the Umbrella Corporation's dark secrets. Based on the horror franchise.
-2
A patchwork rabbit with floppy ears and fuzzy memories embarks on an epic quest to find his best friend — the young boy he desperately loves.
0
The Martins family are optimistic dreamers, quietly leading their lives in the margins of a major Brazilian city following the disappointing inauguration of a far-right extremist president. A lower-middle-class Black family, they feel the strain of their new reality as the political dust settles. Tércia, the mother, reinterprets her world after an unexpected encounter leaves her wondering if she’s cursed. Her husband, Wellington, puts all of his hopes into the soccer career of their son, Deivinho, who reluctantly follows his father’s ambitions despite secretly aspiring to study astrophysics and colonize Mars. Meanwhile, their older daughter, Eunice, falls in love with a free-spirited young woman and ponders whether it’s time to leave home.
-6
In a distant future where humans are forced to leave Earth, a spacecraft carrying a 3D-printed crew of specialists is sent to terraform a new planet.
0
A group of people arrive at Oslo airport. Some to welcome their loved ones, some to fly home to their families, and some who want to fly away and escape Christmas. But in one way or another, their Christmas mission goes awry. They are all stranded at the airport and the clock is ticking… only 24 hours til Christmas - so what do they do?
2
A young girl discovers a secret map to the dreamworld of Slumberland, and with the help of an eccentric outlaw, she traverses dreams and flees nightmares, with the hope that she will be able to see her late father again.
-4
The story of a man who returns home on Christmas to settle his estranged mother's estate. Once there, he discovers a diary that may hold secrets to his own past and of a beautiful young woman on a mysterious journey of her own.
-1
A Halloween-hating dad reluctantly teams up with his teenage daughter when an evil spirit wreaks havoc by making their town's decorations come to life.
-4
Unhappily married aristocrat Lady Chatterley begins a torrid affair — and falls deeply in love — with the gamekeeper on her husband's country estate.
-1
How Swedish tech entrepreneur Daniel Ek and business partner Martin Lorentzon revolutionized the music industry through free and legal music streaming when they launched Spotify.
2
Author Michael Pollan leads the way in this docuseries exploring the history and uses of psychedelics, including LSD, psilocybin, MDMA and mescaline.
1
A dethroned queen bee at a posh private high school strikes a secret deal with an unassuming new student to enact revenge on one another’s enemies.
-2
When an explosive battle with Dr. Eggman shatters the universe, Sonic races through parallel dimensions to reconnect with his friends and save the world.
-1
Youth Icon. Superstar. Action Hero. At the age of just 30, Maanav was at the peak of his career when he got caught up in an accident while filming in Mandothi village in Haryana. Maanav, who was once a household name, is now living in hiding.
1
A young girl is kidnapped during a powerful storm. Her mother joins forces with her mysterious neighbour to set off in pursuit of the kidnapper. Their journey will test their limits and expose the dark secrets of their past.
-2
A nurse who is happily single the rest of the year is sick of being shamed for being alone at the holidays, so vows on December 1 to find someone to take home for Christmas.
0
A supernatural, time-travelling, musical adaptation of Charles Dickens's cult Christmas story.
0
An archivist takes a job restoring damaged videotapes and gets pulled into the vortex of a mystery involving the missing director and a demonic cult.
-3
A group of strangers who accidentally drive off in a car with two million zlotys, coming from a bank heist.
-1
On the eve of her college graduation, Natalie's life diverges into two parallel realities: one in which she becomes pregnant and must navigate motherhood as a young adult in her Texas hometown, the other in which she moves to LA to pursue her career. In both journeys throughout her twenties, Natalie experiences life-changing love, devastating heartbreak and rediscovers herself.
0
This docuseries follows the investigation into a hoax caller who talked managers into strip-searching employees at fast food businesses across the US.
0
It is an office romance about female senior who doesn’t want to catch feelings for younger men and male junior who are handsome, sexy and has a straightforward style.
3
Inspired by the powerful New York Times best-selling memoir Maid: Hard Work, Low Pay, and a Mother's Will to Survive by Stephanie Land, Maid will chronicle a single mother who turns to housekeeping to - barely - make ends meet as she battles against poverty, homelessness, and bureaucracy.
1
Craig, a young boy living in a small town befriends an older, reclusive billionaire, Mr. Harrigan. The two form a bond over books and an iPhone, but when the man passes away the boy discovers that not everything dead is gone.
-1
In the world of Major League Baseball no one has created a mythology like Nolan Ryan. Told from the point of view of the hitters who faced him and the teammates who revered him, Facing Nolan is the definitive documentary of a Texas legend.
1
From power struggles to global politics, an exploration of FIFA reveals the organization's checkered history — and what it takes to host a World Cup.
-2
Pedro, Luis, Raúl and Santi are four friends who feel a bit lost in the new world of empowered women, each trying to adjust in their own haphazard way.
-2
Steve Glew, a small-town Michigan farmer, boards a plane for Eastern Europe soon after the fall of the Berlin Wall. His mission is to locate a secret factory that holds the key to the most desired and valuable pez dispensers. If he succeeds, he will pull his family out of poverty and finally find a purpose in his mundane life.
-1
Witness the remarkable story of our universe over billions of years and its inextricable link to life on Earth in this sweeping documentary series.
1
A high-stakes competition series where twelve players work together in challenges to add money to a pot that only one of them will win at the end. Among the players is one person who has secretly been designated "the Mole" and tasked with sabotaging the group's money-making efforts. In the end, one player will outlast their competition and expose the Mole to win the prize pot.
4
On a perilous adventure across a post-apocalyptic world, a lovable boy who's half-human and half-deer searches for a new beginning with a gruff protector.
-1
A sexual consent scandal amongst British privileged elite and the women caught up in its wake.
1
A woman who's returned home with her two kids to attend her sister's wedding must suddenly defend their lives against older people on a killing spree.
-1
The coming-of-age journey of five fairies attending Alfea, a magical boarding school in the Otherworld where they must learn to master their powers while navigating love, rivalries, and the monsters that threaten their very existence.
0
A holiday-hating detective is forced to solve a murder — and save Christmas — with help from famous trainees who must improv their way through the case.
0
For Anna, every day is the same. She sits with her wine, staring out the window, watching life go by without her. But when a handsome neighbor moves in across the street, Anna starts to see a light at the end of the tunnel. That is until she witnesses a gruesome murder… Or did she?
0
Follows a young tennis hopeful from Beverly Hills and an elite baseball player from Chicago as they contend with the high stakes of college sports.
1
Falling in love is tricky for teens Juliette and Calliope: One's a vampire, the other's a vampire hunter — and both are ready to make their first kill.
-1
Best friends Sophie and Agatha find themselves on opposing sides of an epic battle when they're swept away into an enchanted school where aspiring heroes and villains are trained to protect the balance between Good and Evil.
4
Feeling career burnout, pop star Angelina escapes to grant a young fan's wish in small-town New York, where she not only finds the inspiration to revitalize her career but also a shot at true love.
3
This feature-length documentary explores the life of singer-songwriter Leonard Cohen as seen through the prism of his internationally renowned hymn, Hallelujah.
1
The loves, heartbreak, jealousy and pain of the three Armoza sisters – Luna, Rachelika, and Becky - their parents, grandparents and children, set during the early-mid 20th century in Jerusalem.
-1
A sexual wellness company gains fame and followers, then members come forward with shocking allegations.
0
In 1997, scientists and local government officials in Wrocław face life-and-death decisions when a destructive flood wave threatens the city.
-1
Álex has just suffered a love disappointment and sends a voice message to his boy friend in anger but the voice is received by Bruno. This mistake ends up making them meet and what begins as a date ends up having greater significance.
-3
An LA vampire hunter has a week to come up with the cash to pay for his kid's tuition and braces. Trying to make a living these days just might kill him.
-1
A story of genius strategists and robbers with different personalities and abilities.  Set in the Korean Peninsula, confronting extraordinary variables and carrying out unprecedented hostage robbery.
1
The Son of Sam case grew into a lifelong obsession for journalist Maury Terry, who became convinced that the murders were linked to a satanic cult.
0
Michael thought his life was perfect until his husband blindsided him by walking out after 17 years. Michael has to confront two nightmares — losing his soulmate and suddenly finding himself a single gay man in his mid-40s.
-2
Lily is a typical 150-year-old lovelorn vampire who's looking for the man of her nightmares -- until she lays her eyes on Herman, a 7-foot-tall green experiment with a heart of gold. It's love at first shock as these two ghouls fall fangs over feet for each other in a Transylvanian romance. Unfortunately, it's not all smooth sailing in the cemetery as Lily's father has other plans for his beloved daughter's future, and they don't involve her new bumbling beau.
-1
Woodstock 1969 promised peace and music, but its '99 revival delivered days of rage, riots and real harm. Why did it go so horribly wrong?
0
Lucio, a prestigious university professor, takes the position of substitute teacher at a high school in the suburbs of Buenos Aires, where he grew up. Through tales, novels and poetry, he tries to distract his class from the harsh reality of their everyday lives. But soon, he must step out of his professional duties when Dilan, one of his students, is threatened by a local drug kingpin.
-1
Storm chasers, survivors and first responders recount their harrowing experiences with volcanoes, tornadoes, hurricanes and earthquakes.
1
Six couples on the cusp of lifelong love are hit with an ultimatum: Get engaged or break up. Before they decide, they’ll swap partners for three weeks.
-1
In 1943, two British intelligence officers concoct Operation Mincemeat, wherein their plan to drop a corpse with false papers off the coast of Spain would fool Nazi spies into believing the Allied forces were planning to attack by way of Greece rather than Sicily.
-2
Follow the tender but appropriately irreverent account of the life and career of Robert Downey Sr., the fearless and visionary American director who set the standard for countercultural comedy in the 1960s and 1970s.
3
When the police discover a man with Down syndrome hiding at a crime scene, they launch an investigation to determine whether he's a witness or a suspect.
-3
To save a kidnapped family member, an enterprising furniture tycoon must use his secret diamond smuggling operation to transport guns across the border.
1
From war-torn Syria to the 2016 Rio Olympics, two young sisters embark on a risky voyage, putting their hearts and their swimming skills to heroic use.
1
Two demon brothers enlist the aid of Kat Elliot — a tough teen with a load of guilt — to summon them to the Land of the Living. But what Kat demands in return leads to a brilliantly bizarre and comedic adventure like no other.
1
On the run from their pimp and his henchmen, three women embark on a wild and crazy journey in search of freedom.
-1
When a billionaire's wife vanishes, Norwegian police must deal with the frenzied press and deceitful informants to find the truth.
-2
In interviews and rare home video footage, ex-FLDS members share the truth about their isolated community — and the events that pushed them to leave.
-1
Narrated by former President Barack Obama, this stunning docuseries shines the spotlight on some of the planet's most spectacular national parks.
3
After encounters with a dragon and a princess on her own mission, a Dragon Knight becomes embroiled in events larger than he could have ever imagined.
-1
Ayef meets Manny. It is at a time where she focuses on her dreams while Manny being a flighty young shop owner, goes with the flow. They both believe love is inconvenient and agree to a contractual fling expiring on the date Ayef leaves for Singapore, but they start falling for one another.
-1
A look at the layers of intrigue, from the supercharged power of digital communities to the gamification of trading.
1
Birgitte Nyborg, her staff and the media tasked with covering her, this time in her role as Minister for Foreign Affairs.
0
Love it or hate it, the government plays a huge role in our lives. Adam Conover explores its triumphs, failures and how we might be able to change it.
0
After a terrible earthquake in Nepal, locals and tourists join forces to face destruction in this gripping docuseries.
-2
A modern take on the British royal drama, this steamy series offers a window into the lives of history's deadliest, sexiest and most iconic monarchs.
1
From Notre Dame to the NFL, Manti Te'o's future in football showed promise until an online relationship sent his life and career spiraling.
1
A young woman haunted by her past joins a mysterious professor and his group of gifted students who investigate paranormal activity — and fight demons.
-1
A year after a subglacial volcano erupts, mysterious elements from prehistoric times emerge from the melting ice, bringing unforeseen consequences.
-2
A chain of events is kickstarted when a young girl is gang-raped by four boys.
0
Are you happy? With this question, Zoa and four other attractive young people, very active on social networks, are invited to the most exclusive party in history on a secret island, organized by the brand of a new drink. What begins as an exciting journey will soon become the journey of a lifetime. But paradise is not really what it seems - Welcome to Eden.
5
Alice Gould, a private investigator, pretends to be mentally ill in order to enter a psychiatric hospital and gather evidence for the case she is working on: the death of a patient in unclear circumstances.
-2
Follows a young graffiti artist who discovers a shocking secret that would put him and the ones closest to him in danger.
-2
In a town in Chile, a woman leads a frantic search to find her missing sister amid a media storm and the police investigation. Inspired by a true case.
0
When a young man goes missing soon after his friend dies, life in a tight-knit, affluent Warsaw suburb slowly unravels, exposing secrets and lies.
-1
The lives of an ambitious businesswoman, a charming gang enforcer and a troubled teen collide amidst a desperate — and sinister — pursuit of wealth.
-1
Prince Wilhelm adjusts to life at his prestigious new boarding school, Hillerska, but following his heart proves more challenging than anticipated.
0
After a sudden global event wipes out all electronics and takes away humankind’s ability to sleep, chaos quickly begins to consume the world. Only Jill, an ex-soldier with a troubled past, may hold the key to a cure in the form of her own daughter. The question is, can Jill safely deliver her daughter and save the world before she herself loses her mind.
-1
When clues to his brother's murder lead Poncho to a fire brigade, he joins it to investigate further and finds romance, family - and a serial killer.
-1
During a perilous 24-hour mission on the moon, space explorers try to retrieve samples from an abandoned research facility steeped in classified secrets.
-1
As a shocking truth about a couple's families emerges, the two lovers discover they are not so different from each other. Tessa is no longer the sweet, simple, good girl she was when she met Hardin — any more than he is the cruel, moody boy she fell so hard for.
-2
History, art, science, pop culture and more — quiz yourself across varying levels of difficulty in this interactive trivia series.
-1
Unearthly beings deliver bloody condemnations, sending individuals to hell and giving rise to a religious group founded on the idea of divine justice.
-2
Marc-André Leclerc, an exceptional climber, has made solo his religion and ice his homeland. When filmmaker Peter Mortimer begins his film, he places his camera at the base of a British Columbia cliff and waits patiently for the star climber to come down to answer his questions. Marc André, a little uncomfortable, prefers to return to the depths of the forest where he lives in a tent with his girlfriend Brette Harrington. In the heart of winter, Peter films vertiginous solos on fragile ice. He tries to make appointments with the climber who is never there and does not seem really concerned by this camera pointed at him "For me, it would not be a solo if there was someone else" . Marc-André is thus, the "pure light" of the mountaineers of his time, which marvel Barry Blanchard, Alex Honnold or Reinhold Messner, interviewed in the film. An event film for an extraordinary character.
3
A young entrepreneur turns Belgium's Moroccan community on its head by trying to change their funeral tradition.
0
Bob Ross brought joy to millions as the world's most famous art instructor. But a battle for his business empire cast a shadow over his happy trees.
3
After years of putting her career ahead of love, stand-up comic Andrea Singer has stumbled upon the perfect guy. On paper, he checks all the boxes but is he everything he appears to be?
1
Jimmy Savile was one of the United Kingdom’s most beloved TV personalities. Shortly after his death in 2011, an investigation prompted more than 450 horrific allegations of sexual assault and abuse, with victims as young as 5.
-4
A chainsaw-wielding George Washington teams with beer-loving bro Sam Adams to take down the Brits in a tongue-in-cheek riff on the American Revolution.
0
When a suspect is found in a journalist's murder, the case is considered closed until a secret diary suggests 13 more victims — and possible cannibalism.
-2
After Will Spann's wife suddenly vanishes at a gas station, his desperate search to find her leads him down a dark path that forces him to run from authorities and take the law into his own hands.
-1
The twisting, real-life story of Charles Sobhraj, a murderer, thief and seductive master of disguise, who was a hidden darkness in the mid-70's on Asia's hippie trail.
-1
To get revenge on her ex-boyfriend, an influencer attempts to transform an unpopular classmate into prom king.
-2
Comedian Bill Burr sounds off on cancel culture, feminism, getting bad reviews from his wife and a life-changing epiphany during a fiery stand-up set.
0
Follows Ricky Gervais as he gives his take on the rules of comedy, spoiling his cat and debunks the supernatural, concluding that actual nature is super enough.
2
An act of violence rocks a sleepy Georgia town as well as the bond between a mother and her daughter.
1
He dined with the powerful. He preyed on the vulnerable. Beneath a smiling exterior was the horrifying darkness of a sadistic serial killer.
-2
In spite of their many differences, Cassie, a struggling singer-songwriter, and Luke, a troubled Marine, agree to marry solely for military benefits. But when tragedy strikes, the line between real and pretend begins to blur.
-6
Follow the misadventures of the impulsive Cuphead and his cautious but persuadable brother Mugman in this animated series based on the hit video game.
-1
After influencing global events for centuries, a secret society faces a dangerous threat from within. Can a Canadian reporter save them — and the world?
-2
This is the incredible story behind Sweden's most notorious gangster, Clark Olofsson, whose infamous crimes gave rise to the term "Stockholm Syndrome".
-4
Having cleared his name, genius mechanic Lino has only one goal in mind: getting revenge on the corrupt cops who killed his brother and his mentor.
-1
A shocking murder in rural Ireland sets off an increasingly convoluted quest for justice that spans decades and cuts across national borders.
-3
When a small plane crashes in the middle of the Canadian wilderness, a lone woman must battle the elements and odds to survive.
-2
In a war-torn feudal Japan filled with mechs and magic, the greatest ronin never known, Yasuke, struggles to maintain a peaceful existence after a past life of violence. But when a local village becomes the center of social upheaval between warring daimyo, Yasuke must take up his sword and transport a mysterious child who is the target of dark forces and bloodthirsty warlords.
-2
Shiva, a tribal vagabond lives with his mother in hamlet, stays away from the traditional Daivaradhane and Bhoota Kola legacy due to an unforgettable childhood incident. He is happy loafing around with his friends and doing petty jobs for his landlord. When Forest officer Murali enters the scene, it gives a fresh dimension to the man-vs-nature fight. Can Shiva save the forest from Murali? Or is Murali just a dummy bait cast by bigger fish?
1
Shambhunath Mishra, a retired middle school teacher is living a mundane middle-class life with his wife Manju Mishra in Gwalior. Life takes a complete turn for the Mishra family when a situation gets out of hand and it leads to a killing at the hands of Shambhunath Mishra. Mishra ji has very little time to plan cautiously to turn this into a “perfect murder” and leave no trace behind.
-1
Clark Thompson, a midlevel tech-support employee, finds love with co-worker Amily Luck at exactly the same time he becomes the unwitting messenger of God. Also, there's rollerskating, a lake of fire and an impending apocalypse.
0
In pursuit of an unclaimed $125,000 prize, a broke college dropout decides to play an obscure, 1980s survival computer game. But the game curses her, and she’s faced with dangerous choices and reality-warping challenges. After a series of unexpectedly terrifying moments, she realizes she’s no longer playing for the money but for her life.
-4
Using unprecedented Olympic footage and behind-the-scenes material, The Redeem Team tells the story of the US Olympic Men's Basketball Team’s quest for gold at the 2008 Olympic Games in Beijing following the previous team’s shocking performance four years earlier in Athens.
1
After unwittingly stealing money from a cartel, a cash-strapped professor finds the only way to save his broken family is by working as a drug courier.
-3
Two years after a Super Bowl win when NFL head coach Sean Payton is suspended, he goes back to his hometown and finds himself reconnecting with his 12-year-old son by coaching his Pop Warner football team.
2
When a meteor carrying a destructive plant strikes the world, a suicide squad is given hours to save their post-apocalyptic city from total collapse.
-4
A college student moonlighting as a chauffeur picks up two mysterious women for a night of party-hopping across LA. But when he uncovers their bloodthirsty intentions - and their dangerous, shadowy underworld - he must fight to stay alive.
-4
Sex, joy and modern science converge in this eye-opening series that celebrates the complex world of women's pleasure — and puts stubborn myths to rest.
0
A Christmas vacation turns into a nightmare for a teenager and her family when they discover an ancient menace that stalks their island getaway.
-2
After losing her memory in a bizarre accident that kills most of her classmates, Alma tries to unravel what happened that day — and regain her identity.
-4
A young man spends a week in a psychiatric ward, where he meets five other patients and must contend with research-happy doctors and cynical nurses.
-1
After losing his home to a powerful enemy, a hot-tempered fighter trains under his zealous grandfather while awaiting his chance for revenge.
-3
Insiders recount the events, controversies and lingering effects of the accident at the Three Mile Island nuclear power plant in Pennsylvania.
-1
A young woman joins forces with a UFO enthusiast to investigate her boyfriend’s sudden disappearance and stumbles into a wild conspiracy.
-2
After a couple finds a traumatized child of unknown origins, wife Paula must decipher the girl's strange behaviors to unlock her identity and dark past.
-4
After old enemies kill his family, a former mafia enforcer and his feisty daughter flee to Milan, where they hide out while plotting their revenge.
-3
An ancient civilization's relics on Earth hold dangerous powers — it's up to ARCAM Corporation's Spriggan agents to keep them out of the wrong hands.
-2
An Interpol-issued Red Notice is a global alert to hunt and capture the world's most wanted. But when a daring heist brings together the FBI's top profiler and two rival criminals, there's no telling what will happen.
0
Follow the adventures of Po, who partners up with a no-nonsense English knight named Wandering Blade to find a collection of four powerful weapons before a mysterious pair of weasels do, and save the world from destruction.
-1
Through outrageous, never-before-seen footage, witness the making of the Jackass crew's last go at wild stunts.
-3
Cat experts dive into the mind of the feline to reveal the true capabilities of the pouncing pet in this captivating and cuddly documentary.
2
Héctor Belascoarán leaves his corporate job and dull marriage to become an independent detective and tackle shocking criminal cases in 1970s Mexico City.
-3
A man narrates stories of his life as a 10-year-old boy in 1969 Houston, weaving tales of nostalgia with a fantastical account of a journey to the moon.
0
Bubble-shaped boy James questions anything and everything that annoys him. The result? An awesome life of odd adventure with his two best friends.
0
A Korean man who becomes a drug lord in Suriname, a country in South America.
0
In an abandoned Tokyo overrun by bubbles and gravitational abnormalities, one gifted young man has a fateful meeting with a mysterious girl.
-2
In the near future, convicts are offered the chance to volunteer as medical subjects to shorten their sentence. One such subject for a new drug capable of generating feelings of love begins questioning the reality of his emotions.
2
Set in the world of 2045, where communities have robotic helpers, a group of suburbanites are locked in for their protection by their household robots, while a rogue, self-aware AI android revolt uprising takes place outside.
-2
After a tragic accident, an amnesiac teen tries to rebuild her life at a memory disorders center but becomes suspicious of her unconventional treatment.
-3
The life of athlete Colin Kaepernick and his adoptive parents as they navigate the challenges of raising a black son in a white family and community.
0
A young woman seeking self-improvement enlists the help of a renowned hypnotherapist. But after a handful of intense sessions, she discovers unexpected and deadly consequences.
-2
Rá, Culebro, Sere, Winny and Nano. Five boys who live on the streets of Medellín. Five kings with no kingdom, no law, no family, set out on a journey in search of the promised land. A subversive tale told through a wild and endearing clan, somewhere between reality and delirium. A journey to nowhere, where everything happens.
-1
Two cops must learn to work together to catch the world's most-wanted drug dealer, whose face has never been revealed.
1
In 1666, a colonial town is gripped by a hysterical witch-hunt that has deadly consequences for centuries to come, and it's up to teenagers in 1994 to finally put an end to their town's curse, before it's too late.
-3
With his family away, a devoted stay-at-home dad enjoys his first me time in years by joining his hard-partying old friend on a wild birthday adventure.
0
Two years after the murder of his son and father, a retired hitman sets in motion a carefully crafted revenge plan against the killer: his own brother.
-3
In this feel-good competition, amateur dancers disguised as CGI avatars bring their best moves, hoping to win $250,000 — and a second shot at their dreams.
2
A by-the-book female detective teams up with four down-on-their-luck assassins to investigate her father's murder.
-2
After being in a coma for 17 years, Takafumi's middle-aged uncle suddenly wakes up speaking an unrecognizable language and wielding magical powers.
1
Bennie Upshaw, the head of a Black working class family in Indianapolis, is a charming, well-intentioned mechanic and lifelong mess just trying his best to step up and care for his family and tolerate his sardonic sister-in-law, all without a blueprint for success.
2
As the Paris firefighters try to stop the flames from spreading in the Cathedral, the show also follows characters being put through the wringer - they will have to fight each other, love each other, come across each other, hate each other, smile at or help each other - so that, in the end, they may have a chance to start all over again.
1
After disaster strikes the Earth, a marine biologist on a research mission in a submarine must fight to advance the process into a conspiracy.
-3
Years after moving to a remote town, ex-cop Pipa is pulled back into the dark world she thought she'd left behind when a corpse appears on her property.
-1
When a former childhood friend crashes Sebastian's bachelor party and makes it all about himself, only an alien invasion can make them put aside their bad blood and reunite as the kick-ass laser-tag duo they once were.
-2
With the help of industry experts, this innovative docuseries examines new and emerging technological trends to imagine revolutionary possibilities.
2
As the countdown to graduation begins, students at Osborne High are being stalked by a maniac intent on exposing their darkest secrets to the entire town, terrorizing victims while wearing a life-like mask of their own face. With a mysterious past of her own, Makani and her friends must discover the killer's identity before they become victims themselves.
-3
A teenager who can make herself invisible is used by an idiot to take control of the neighborhood and then meets a mysterious art student.
-3
A family hiding a shocking secret starts over in Madrid, where new relationships complicate their plans and the past begins to catch up with them.
-1
Recently widowed mom Brenda fights to protect her family during a harrowing road trip when a murder and a missing bag of cash plunge them into danger.
-1
At an elite NYC law firm, Ingrid Yun fights to make partner — and hold onto her principles — while balancing romance, friends and family expectations.
1
A series of mutilated bodies and taunting notes left outside a Delhi jail sends police hunting for a seasoned killer with a grudge against the system.
-2
Accused of murder, Hero shouldn't stand a chance in court. He swears he's innocent. But in the end, all that matters is this: do you believe him?
0
After disappearing from the underworld, the legendary yakuza known as the "Immortal Dragon" resurfaces — as a fiercely devoted stay-at-home husband.
1
After a woman's at-home DNA test reveals multiple half-siblings, she discovers a shocking scheme involving donor sperm and a popular fertility doctor.
0

0
Through raw, revealing footage and interviews with fugitive tech pioneer John McAfee, this documentary uncovers new layers of his wild years on the run.
-2
A father fights for decades to bring his daughter's killer to justice in France and Germany before taking extreme measures.
-1
After a failed robbery, a gang of 3 noble thieves: Zuza, Kinga and Alicja hides in a quiet nursing home. While the police are on their heels, the gang continues their activities at the center, giving its elderly residents a second youth.
1
After Kaiju ravage Australia, two siblings pilot a Jaeger to search for their parents, encountering new creatures, seedy characters and chance allies.
-2
Mystery writer Grace Miller has killer instincts when it comes to motive - and she'll need every bit of expertise to help solve her sister's murder.
-2
Series inspired by real events in the financial world, centers on narcissism, megalomania and double standards.
0
Albert Desiderio, a humble retired man, decides to hire a novelist to write his memoirs. But the amazing love story Albert shared with Solange during the 70's turns out to be the confession of a serial killer couple.
1
Two senior BFFs make a last-ditch attempt to be seen. But when one of them becomes a ghost, she'll need to really live her best life — while she can.
0
In this origin story of Father Christmas, an ordinary boy (with a loyal pet mouse and a reindeer at his side) sets out on an extraordinary adventure to find his father who is on a quest to discover the fabled village of Elfhelm.
2
Three siblings, exhausted by the monotony of day-to-day adulthood, seek to find fulfillment and freedom from their unremarkable lives.
0
On the cusp of his 30th birthday, Jonathon Larson, a promising young theater composer, navigates love, friendship, and the pressures of life as an artist in New York City.
2
This three-part documentary series explores the warped mind of serial killer Jeffrey Dahmer through newly unearthed recorded interviews with his legal team, revealing the ways that race, sexuality, class and policing allowed him to prey upon Milwaukee’s marginalized communities.
-2
When their seemingly fearless leader self-destructs, a team of troubled superheroes must confront festering evil in the world — and in themselves.
-2
This biopic follows the life of Indian Army officer Major Sandeep Unnikrishnan, from his childhood to his heroic actions during the 2008 Mumbai attacks.
0
After Lilly suffers a loss, a combative Starling takes nest beside her quiet home. The feisty bird taunts and attacks the grief-stricken Lilly. On her journey to expel the Starling, she rediscovers her will to live and capacity for love.
-3
Police investigate the disappearance of a cult member.
0
Gudetama, the lazy egg, reluctantly embarks on an adventure of a lifetime with Shakipiyo, a newly hatched chick, who is determined to find their mother.
-2
David Letterman invites some of the hottest up-and-coming stand-up stars to perform a set and sit down for a chat.
1
Amid the onset of andropause, a 50-something family man becomes obsessed with change and decides to pursue happiness. Then he bungles it up completely.
0
Key figures from an infamous November 19th 2004 incident between players and fans at an NBA game in Michigan discuss the fight, its fallout and its lasting legacy.
-2
In the late 1970s, an accused serial rapist claims multiple personalities control his behavior, setting off a legal odyssey that captivates America.
0
Ancient Japanese Ronin warriors set 300 years after 47 Ronin, in a modern-day world where Samurai clans exist in complete secrecy.
0
The story of Dirty Lines starts in 1987's Amsterdam, at a time when Dutch society was changing rapidly. Psychology student Marly Salomon takes on a side job working for a brand new firm: Teledutch - a company started by two brothers, Frank and Ramon Stigter, who established Europe’s first erotic telephone lines. Frank and Ramon become rich overnight and Marly finds herself immersed in this wild and rapid transformation. The final years of the Cold War sparked a sense of hope and inspired a new generation to celebrate life to its fullest. Amsterdam became the center of that cultural revolution with a radically new form of music: house and a new love drug: XTC. The erotic phone lines offer the opportunity to experience anonymous sex in a new way, changing the morality of its consumers, but also very much the people creating it.
1
When evil forces threaten to resurrect Anthrasax, the God of Destruction, the Kingdom of Meta-llicana calls on a volatile dark wizard for help.
-5
Grumpy expert maker Jimmy DiResta fields kids' ideas for delightfully pointless inventions. Then — if he's in the mood — he and his pals build 'em.
-1
All the cool kids were wearing it. This documentary explores A&F's pop culture reign in the late '90s and early 2000s and how it thrived on exclusion.
0
An every day farther who is struggling to make ends meet in the big city, he resembles twentieth century's most successful bandit leader Lampião. One day he wake up in 1927 where he is mistaken for the real Lampião.
-1
A hiking trip into the wild turns into a desperate bid for survival for five friends on the run from a mysterious shooter.
-2
Determined teen Din is longing to reconnect with his childhood best friend when he meets a wish-granting dragon who shows him the magic of possibilities.
0
Against his wishes a veterinarian from the big city relocates to the countryside, where he meets a policewoman, a town insider with a friendly secret.
1
Long on style and perpetually short on cash, bounty hunters Spike, Jet and Faye trawl the solar system looking for jobs. But can they outrun Spike's past?
0
Convinced the tragic deaths of her loved ones were orchestrated by a famous novelist she worked for, Luciana turns to a journalist to expose her truth.
1
Ambitious artist Jabari attempts to balance success and love when he moves into his dream Manhattan apartment and falls for his next-door neighbor.
2
A music-loving kinkajou named Vivo embarks on the journey of a lifetime to fulfill his destiny and deliver a love song for an old friend.
2
A close examination of the Whakaari / White Island volcanic eruption of 2019 in which 22 lives were lost, the film viscerally recounts a day when ordinary people were called upon to do extraordinary things, placing this tragic event within the larger context of nature, resilience, and the power of our shared humanity.
-1
A cure for some and a curse for others, widely prescribed anti-anxiety medication is examined by patients and experts in this revealing documentary.
1
Sent to live with his estranged father for the summer, a rebellious teen finds kinship in a tight-knit Philadelphia community of Black cowboys.
-2
In a case of mistaken identity, the world’s deadliest assassin, known as the Man from Toronto, and a New York City screw-up are forced to team up after being confused for each other at a rental cabin.
-4
Three friends come together to defend their valuable mining company from…aliens?! What could possibly go wrong?
0
Exposed as an ex-Russian spy, an American single mom must juggle family life and unique shape-shifting skills in a battle against an insidious enemy.
-1
Haunted by memories of her broken marriage and a fight with her daughter, a woman joins an intense self-help retreat when her vacation goes awry.
-3
Amanda and her daughter live a quiet life on an American farm, but when the remains of her estranged mother arrive from Korea, Amanda becomes haunted by the fear of turning into her own mother.
-1
Inspired by a true story of a family who believed they were possessed by spirits, this film follows a woman who must protect her child from a curse.  WARNING: This is a cursed video, it might contain certain risks to watch. For those who dares to follow, please solve the puzzle of my daughter's curse with me.
-4
The investigators behind infamous serial killer cases reveal the harrowing, chilling details of their extraordinary efforts in this true crime series.
-2
This comedic retrospective mixes archival footage and scripted sketches as it revisits all the dread — and occasional delight — that 2021 had to offer.
0
Carter, who awakens two months into a deadly pandemic originating from the DMZ that has already devastated US and North Korea. He who has no recollections of his past finds a mysterious device in his head, and a lethal bomb in his mouth. A voice in his ears gives him orders to avoid getting killed and he's thrown into a mysterious operation while the CIA and North Korean coup chase him close.
-7
Jackie Justice is a mixed martial arts fighter who leaves the sport in disgrace. Down on her luck and simmering with rage and regret years after the fight, she's coaxed into a brutal underground fight by her manager and boyfriend Desi and grabs the attention of a fight league promoter who promises Jackie a life back in the Octagon. But the road to redemption becomes unexpectedly personal when Manny - the son she gave up as an infant - shows up at her doorstep. A triumphant story of a fighter who reclaims her power, in and out of the ring, when everyone has counted her out
0
In 2013, Michaella McCollum from Northern Ireland and Melissa Reid from Scotland were caught at the Jorge Chavez International Airport in Peru trying to smuggle £1.5 million of cocaine into Spain. The pair, also known as the `Peru Two,' were sentenced to almost seven years in one of the most notorious prisons in the world. The series provides a first-hand account from Michaella, a former club hostess in the Spanish nightlife, as she traces her journey from arriving in the foreign country for her first holiday to her downward spiral into the illicit world of drugs and excess.
-3
Years after serving time for betting on games he officiated, former NBA referee Tim Donaghy revisits the scandal that shook up the league.
-1
A silhouetted suspect moves to the crime-infested town of Beika with murder in mind, in this spinoff spoof of "Detective Conan."
-2
The thin line between love and hate turns deadly when a wife discovers her husband’s affair — and they both take extreme measures to get what they want.
-1
A man finds himself at war with a bee while housesitting a luxurious mansion. Who will win, and what irreparable damage will be done in the process?
0
The Elric brothers’ long and winding journey comes to a close in this epic finale, where they must face off against an unworldly, nationwide threat.
-1
Clairvoyant medium Tyler Henry offers clarity and closure from the beyond while searching through his own family's past in an intimate reality series.
2
Global superstar Jennifer Lopez reflects on her multifaceted career and the pressure of life in the spotlight in this intimate documentary.
1
The harrowing story of a woman trying to use Alabama's Stand Your Ground law after killing a man she says brutally attacked her.
-2
Grappling with an unplanned pregnancy, a woman turns in desperation to a mysterious older couple who promise to take care of her baby.
-1
When a fertility doctor drunkenly inseminates herself with her ex-boyfriend's sperm, she scrambles to explain her pregnancy — and win back her lost love.
0
Five people travelling by camper crash into a tree. When they recover, the road they were driving on has been replaced by an impenetrable forest and a wooden house.
0
Palestine, 1948. After the withdrawal of the British occupiers, tensions rise between Arabs and Jews. Meanwhile, Farha, the smart daughter of the mayor of a small village, unaware of the coming tragedy, dreams of going to study in the big city.
-1
Lucía and her son live isolated from society in a flat place where there’s practically no life. The small family unit formed by mother and son hardly ever receives visitors, and their goal is to lead a quiet existence. At first they succeed, but the appearance of a mysterious, violent creature that starts stalking their small house will put the relationship that unites them to the test.
0
As Western forces withdraw, Afghanistan's youngest female mayor braves mortal danger to lead a fight for education for the next generation of Afghans.
1
Made half-human and half-spirit by accident, a young man is employed by a company of grim reapers in the underworld to carry out special missions.
-1
Skilled cake artists create mouthwatering replicas of handbags, sewing machines and more in a mind-bending baking contest inspired by a popular meme.
2
A gigolo's life begins to unravel when he becomes involved in a client's family affairs and violates the fundamental rule of his job: don't fall in love.
-1
The Elric brothers meet their toughest opponent yet — a lone serial killer with a large scar on his forehead.
-3
Reeling from tragedy, a nondescript house cleaner embarks on a murderous streak as she searches for her missing husband and reckons with old wounds.
-2
At the brink of his death, the CEO and founder of an IT company's spirit gets stuck inside a smartphone and enlists the help of a young man to do favors on his behalf in exchange for 10 billion won.
0
A quirky, dysfunctional family's road trip is upended when they find themselves in the middle of the robot apocalypse and suddenly become humanity's unlikeliest last hope.
-1
After nearly 50 years of hiding, Leatherface returns to terrorize a group of idealistic influencers who accidentally disrupt his carefully shielded world in a remote Texas town.
-2
This new Colombian telenovela is about a man who has to watch his wife die and have her heart extracted to give to another woman. He’s out for revenge in the world of organ trafficking.
-2
Courageous couples journey toward more pleasurable sex and deeper intimacy with help from Gwyneth Paltrow and a team of experts in this reality series.
3
Beatriz married Henrique on the day of her 21st birthday. Henrique, a naval officer, would spend long periods at sea. Ashore, Beatriz, who learned everything from the verticality of plants, took great care of the roots of their six children. The oldest son, Jacinto (Hyacinth), my father, dreamed he could be a bird. One day, suddenly, Beatriz died.  My mom didn’t die suddenly, but she too died when I was 17 years-old. On that day, me and my father met in the loss of our mothers and our relationship was no longer just that of father and daughter.
-3
A group of four amateur adventurers who specialize in exploring remote and forsaken places pay a visit to Shookum Hills, a town in the remote Appalachian Mountains which was abandoned decades ago due to a mysterious coal mine fire.
-2
In his final comedy special, Norm Macdonald ponders casinos, cannibalism, living wills and why you have to be ready for whatever life throws your way, all done in front of a camera, without an audience, and in one take. After his set, Norm's friends and fellow comics gather to salute him.
2
While waiting for a kidney transplant, a young pianist finds an unexpected connection with her doctor — and the courage to fulfill her musical dreams.
0
An immigrant in search of the American dream is forced to take a room in a boarding house and soon finds herself in a nightmare from which she can't escape.
-1
Inspired by New York City streetball, influential brand AND1 turned local legends on the court into international icons. So why did it come to an end?
1
The dating experiment comes to Brazil as local singles look for true love and get engaged, all without meeting the other person face to face.
1
Mauricio Umansky's family-run firm The Agency represents some of the most lavish properties in Beverly Hills. But there's drama around every corner.
1
A look at the Black revolution in 1970s cinema, from genre films to social realism, from the making of new superstars to the craft of rising auteurs.
0
Couples looking for more spice in the bedroom hire luxury interior designer Melanie Rose to create stylish spaces where they can carry out any fantasy they wish.
2
After finding a young man's remains, Léa wakes up in the 90s and body swaps seven times as she tries to solve the mystery of his death — and prevent it.
-2
Desperate to avoid his family’s judgment about his perpetual single status, Peter convinces his best friend Nick to join him for the holidays and pretend that they’re now in a relationship. But when Peter’s mother sets him up on a blind date with her handsome trainer James, the plan goes awry.
-1
Struggling to cope after a move to the city with his mother, Elmer runs away in search of Wild Island and a young dragon who waits to be rescued. Elmer’s adventures introduce him to ferocious beasts, a mysterious island and the friendship of a lifetime.
-3
Lisa thinks she's finally met the man of her dreams until she finds out he still believes in Santa Claus.
0
When her best friend Jojo falls in love and moves on from their wild dating adventures in Berlin, Paula does everything she can to sabotage her wedding.
-1
A young journalist in London becomes obsessed with a series of letters she discovers that recounts an intense star-crossed love affair from the 1960s.
0
A young woman takes a trip to romantic Verona, Italy, after a breakup, only to find that the villa she reserved was double-booked, and she'll have to share her vacation with a cynical British man.
-1
The story of the first sexual harassment case in Spain was a scandal. Nevenka Fernández, its protagonist, discusses it in this documentary.
-2
A curse is placed on grinchy Chuy, who wakes up to find he's lived a full year, but is doomed to remember only Christmas Day. Every year. From now on.
-2
A fresh look at Hartley High over 20 years on. With her new friends - outsiders Quinni and Darren - Amerie must repair her reputation, while navigating love, sex, and heartbreak.
2
When a low-ranked fairy accidentally resurrects a powerful demon, their fates become cosmically entangled as the world is thrown into turmoil.
-1
In 1976 Sopot, Poland, three determined women navigate social and political changes as they strive to find independence, financial freedom and love.
2
Lisa Nova, an aspiring film director in the sun-drenched but seamy world of 1990 Los Angeles, embarks on a mind-altering journey of supernatural revenge that gets nightmarishly out of control.
-2
The 19 years old Thomas wakes up in a hospital after three years in a coma. He doesn't remember anything. The psychologist Anna tells him that his family has been murdered and that he is the only survivor of the massacre while his sister Laura is still missing.
0
Laura and Massimo's relationship hangs in the balance as they try to overcome trust issues while a tenacious Nacho works to push them apart.
1
A young couple is made to exchange their phones for a day. What follows is a hilarious and emotional sequence of events that puts their lives in misery.
0
Ten years ago, he lost two loved ones. When his fiancée disappears, he must uncover buried secrets — or lose everything. Based on Harlan Coben's novel.
-1
After he's shot in 1968, Andy Warhol begins documenting his life and feelings. Those diaries, and this series, reveal the secrets behind his persona.
0
A tale of forbidden love and family drama unravels 40 years of secrets and lies against a soundtrack of juke joint blues in the Deep South.
-1
Hell-bent on exacting revenge and proving he was framed for his sister's murder, Álex sets out to unearth much more than the crime's real culprit.
-4
Investigators reveal how Boeing’s alleged priority of profit over safety could have contributed to two catastrophic crashes within months of each other.
-2
Rio Sanada is the president of "Sanada Wellness" and an up-and-coming businesswoman who is selected as one of the "100 people in their 30s who will change the world". She is reunited with her former love interest Daiki Miyazaki, who is now a detective, after 15 years as an important witness to a murder case.

In Gifu Prefecture in 2006, Rio is a third-year high-school student who wants to go to the University of Tokyo. She took good care of her younger brother in lieu of their busy father. Before Daiki could confess to her, an incident occurs at the dormitory.
1
In 1909, two explorers fight to survive after they're left behind while on a Denmark expedition in ice-covered Greenland.
0
Canine Intervention follows renowned Oakland dog trainer, Jas Leverette, as he runs one of the top dog training facilities in California. Cali K9 works with all breeds and are confident in being able to correct any type of behavior issue.
4
Convinced of her daughter's innocence in a homicide, a devoted mother soon uncovers unsettling truths as the line between victim and perpetrator blurs.
-2
From a satire to a psychological thriller, four short stories from celebrated auteur and writer Satyajit Ray are adapted for the screen in this series.
1
There are bizarre, very unusual and extremely shocking activities that, despite the risk and associated dangers, are just legal in South American countries. Sue Perkins is eager to take advantage of this, and enjoys experiencing these adventurous yet dangerous challenges. In this way she hopes to defy and hopefully cover up her middle age.
-4
In a claustrophobic neighborhood where gossip and violence police people's behavior, the lives of residents intertwine and collide as some try to maintain social norms while others try to break them.
-2
A young mother’s mysterious death and her son’s subsequent kidnapping blow open a decades-long mystery about the woman’s true identity, and the murderous federal fugitive at the center of it all.
-6
The inspirational rise of SpaceX as well as Elon Musk's two-decade effort to resurrect America’s space travel ambitions.
2
Pressured by their parents to find spouses, Asha and Ravi pretend to date during a summer of weddings, only to find themselves falling for each other.
-2
A social butterfly who dies during her birthday week is given a second chance to right her wrongs on Earth.
0
A young man crashes a school play rehearsal to prevent a group of teachers and eccentric parents from expelling his girlfriend's son.
-2
In a lively stand-up set, Sebastian acts out life's little agonies, from school drop-offs to off-leash dogs to date nights with his wife.
0
Self-proclaimed ethical hacker Mel Bandison's life is turned upside down when she stops a data breach on a high-tech self-driving bus that also happens to shut down an international criminal network. She then becomes a target and is framed with a deepfake video that “shows” that she murders someone.
-2
Teenage best friends Zoe and Becca set out to build their own fake ID empire, but when business starts booming, their life of crime gets way too real.
0
From training to launch to landing, this all-access docuseries rides along with the Inspiration4 crew on the first all-civilian orbital space mission.
0
Five new trailblazing Iron Chefs will welcome brave Challenger Chefs to the reimagined Kitchen Stadium, where they'll face off and be pushed to the limits of endurance and creativity, as they cook up extraordinary culinary creations.
2
This documentary explores the mystery surrounding the death of movie icon Marilyn Monroe through previously unheard interviews with her inner circle.
-2
At a high school full of unique characters, Tadano helps his shy and unsociable classmate Komi reach her goal of making friends with 100 people.
0
Through exclusive interviews and archival footage, this documentary traces an intimate portrait of seven-time Formula 1 champion Michael Schumacher.
2
In New York City, a teenage tracker makes his living selling hard-to-find mystical items to sorcerers — but dealing in magic can be risky business.
0
Jason Oppenheim, owner of the Oppenheim Group, expands the company opening a second office in Newport Beach.
0
In 2019, Nepalese mountain climber Nirmal “Nims” Purja set out to do the unthinkable by climbing the world’s fourteen highest summits in less than seven months. (The previous record was eight years). He called the effort “Project Possible 14/7” and saw it as a way to inspire others to strive for greater heights in any pursuit. The film follows his team as they seek to defy naysayers and push the limits of human endurance.
-2
At a historic Istanbul hotel, a journalist is unexpectedly thrust into the past and must stop a plot that could change the fate of modern Turkey.
-1
After marrying a mysterious man who claimed he could make her dog immortal, a celebrated vegan restaurateur finds her life veering off the rails.
-1
It follows a hard-driving LA wine-company executive who travels to an Australian sheep station to land a major client and there she ends up working as a ranch hand and sparking with a rugged local.
0
Expert bakers elevate desserts with next-level ideas and epic execution. Now the battle is on to win over clients in need of very special sweets.
3
To escape a scandal, a bestselling author journeys to Scotland, where she falls in love with a castle - and faces off with the grumpy duke who owns it.
-2
Best bros Chad and JT set out to spread positivity through community activism and chill vibes in this raucous prank comedy series.
0
During the Spanish Civil War, sworn enemies must work together when they encounter flesh-eating zombies created in a Nazi experiment.
-1
Charlie Cullen was an experienced registered nurse, trusted and beloved by his colleagues at Somerset Medical Center in New Jersey. He was also one of history’s most prolific serial killers, with a body count potentially numbering in the hundreds across multiple medical facilities in the Northeast.
2
When her best friend vanishes during a girls' trip to Croatia, Beth races to figure out what happened. But each clue yields another unsettling deception.
-1
After the assassination of prime minister Olof Palme in 1986, Stig Engström managed to elude justice right up to his death through a combination of audacity, luck, and a perplexed police force.
-1
Plot Unknown, Sequel of On the Other Side of the Tracks (2012).
-2
Two teens and a talking pug team up to battle demons at a haunted theme park — and maybe even save the world from a supernatural apocalypse.
-2
At a grisly murder scene sits a figurine made of chestnuts. From this creepy clue, two detectives hunt a killer linked to a politician's missing child.
-4
Follow controversial slimming cream sellers turned con artists Wanna Marchi and Stefania Nobile, from their TV success to their scam and jail time.
-1
At the end of WWII, an ambitious bootlegger and his nightclub-singing girlfriend assemble a ragtag bunch of misfits for an impossible heist: to steal Mussolini's treasure right from his headquarters.
0
Narrated by Idris Elba, this docuseries explores the origins and evolution of play across the globe, from age-old rituals to billion-dollar businesses.
0
Go behind the scenes of Edward Berger’s WWI epic and see how the cast and crew crafted its amazing authenticity — from the sets to the SFX prosthetics.
1
Follows two childhood friends who drift into a mysterious sea with an entire housing complex.
-2
A heroic drama that follows capable but bad cop Ryoo Soo-yeol regaining his humanity after meeting the righteous but crazy 'K'.
1
Stories from survivors frame this documentary detailing the sex-trafficking trial of Ghislaine Maxwell, a socialite and accomplice of Jeffrey Epstein.
1
A Thai youth soccer team and their assistant coach are trapped within Tham Luang Cave, prompting a global rescue effort. Inspired by true events.
-2
Three friends arrive in a seaside town, where they connect with their spiritual selves and suddenly face unresolved trauma from their families' pasts.
-1
Two sets of identical twins are accidentally separated at birth. Several years later, when they are coincidentally in the same town, there is a lot of confusion and misunderstanding when people mistake them for each other.
-3
A single mother breeds locusts as high-protein foods but has trouble getting them to reproduce until she finds they have a taste for blood.
-1
A humorous view of a changing Saudi Arabia, as the Masameer gang venture into a global media war, a long-standing tribal feud, and a health craze gone too far.
0
A crooked legal guardian who drains the savings of her elderly wards meets her match when a woman she tries to swindle turns out to be more than she first appears.
-3
That Girl Lay Lay follows Lay Lay, the perfect hype girl and best friend that anyone could ever want from their personal affirmation app. Struggling to make her mark at school and needing a best friend to talk to, Sadie wishes upon a star that Lay Lay was real and could help teach her how to stand out. When her wish comes true and Lay Lay is magically brought to life, the two friends learn that when they are together, they can accomplish anything, and navigate life as teenagers and discover who they truly are.
3
Patton riffs on the hazards of aging, his failed shutdown plans, and the day his wife turned into a Valkyrie in this stand-up special he also directed.
-2
After finding out their babies were switched at birth, two women develop a plan to adjust to their new lives creating a single and very peculiar family.
-1
Kanye West docu-series, over 20 years in the making
0
As a righteous cop pursues a merciless criminal in Bihar, he finds himself navigating a deadly chase and a moral battle mired in corruption.
-3
The lives of a photojournalist, a soccer mom and a homicide detective are disturbed by a terrible event from the past.
-2
Lovebugs, Hormone Monsters and a parade of other creatures juggle romance, workplace drama and their human clients' needs in this "Big Mouth" spinoff.
-1
Juan, a secret service agent, approaches Wendy, a young Filipina who works as a maid for a suspicious couple.
0
Shadyside, 1978. School's out for summer and the activities at Camp Nightwing are about to begin. But when another Shadysider is possessed with the urge to kill, the fun in the sun becomes a gruesome fight for survival.
0
Roxana Aubrey decides to drop her studies and escape her life in Paris for a free diving course in the south of France. She is quickly pulled into a life that reaches new depths brought by the weight of an ocean's descent.
1
Living with her snobby family on the brink of bankruptcy, Anne Elliot is an unconforming woman with modern sensibilities. When Frederick Wentworth - the dashing one she once sent away - crashes back into her life, Anne must choose between putting the past behind her or listening to her heart when it comes to second chances.
0
International etiquette teacher Sara Jane Ho helps people become their best selves through good manners in this heartwarming makeover series.
3
On Aug. 17, 2017, Spain suffers two terrorist attacks perpetrated by young people integrated into Spanish society. How could something like this happen?
0
In August 2005, through a tunnel almost 80 meter long, thiefs invaded the bank vault of Brazil's Central Bank in Fortaleza and stole over 160 milions reais, ou or nealy 3,5 tons of cash. This documenty explores that spectacular and historic heist.
0
Set in Manila where the mythical creatures of Philippine folklore live in hiding amongst humans, Alexandra Trese finds herself going head to head with a criminal underworld comprised of malevolent supernatural beings.
-2
Once, vampires and humans lived in harmony. Now, a young girl and a vampire queen will search for that Paradise once again. In the divided world of the future, two girls want to do the forbidden: the human wants to play the violin, and the vampire wants to see a wider world.
1
Raquel's longtime crush on her next-door neighbor turns into something more when he starts developing feelings for her, despite his family's objections.
-2
This proudly profane series explores the history and impact of some of the most notorious bad words in the English language.
-3
A woman's seaside vacation takes a dark turn when her obsession with a young mother forces her to confront secrets from her past.
-1
A couple's wedding day threatens to turn disastrous when they begin to unravel a web of secrets and lies that connects their two families.
-3
A self-proclaimed intellectual is forced to move in with her carefree sister and her sister's lovably eccentric friends.
1
A man wakes in a hospital with no memory, and quickly finds himself on the run in a locked down hospital with the Cartel on his tail.
0
At a major university, the first woman of color to become chair tries to meet the dizzying demands and high expectations of a failing English department.
-1
When mysterious green slime monsters start popping out of soccer balls, all-star athletes Zlatan Ibrahimović and Megan Rapinoe must team up with their four biggest fans to stop evil scientist "Weird Al" Yankovic from stealing their talent.
-5
Comedian Oliver Polak gets to know celebrities at some of their favorite spots before roasting them with good-natured stand-up sets.
1
In search of her mother, a teenager and her eccentric group of companions set off on a journey, trying to avoid the clutches of a wicked woman.
-2
A young botanist relocates to a small desert town to study an invasive plant species. While out on research, she comes to the aid of a downed plane only to find herself taken captive by an inexperienced drug mule who forces her to lead a trek across the sweltering desert to his drop. A local sheriff is drawn into the hunt as his rebellious daughter sets out to find the missing botanist, all the while being pursued by a local drug receiver.
-4
Mid-thirties and still single (certainly not by choice), Alice is working at a small television network in a job with limited upward mobility, despite often being the most competent person in the room. To add insult to injury, her ex-boyfriend Carlo is getting married and about to become a father. And as if that weren't enough, in the small television production company she works for, a new charming and mysterious creative director, Davide, arrives to put everyone to the test. Alice's life begins to change when she meets Tio, an actor on the network's flagship soap opera and self-professed astrological guru, who will soon become her personal "astrological guide for broken hearts".
-1
Events in India's history — from the Emergency and the famous Cricket World Cup win to the Punjab riots — unfold from the perspective of an innocent Sikh man Laal Singh Chaddha, a person with a low IQ but high optimism. Laal is able to achieve everything under the sun but his childhood love continues to elude him.
3
A Kidnapping Scandal: The Florence Cassez Affair examines the case of Florence Cassez and Israel Vallarta, alleged kidnappers and one of the most notable and scandalous cases in Mexico’s history. Through interviews and analysis of public records, the documentary details the irregularities of this case and throws light on the people at the center of what became a diplomatic scandal between Mexico and France.
-3
Emmy-winning comedian Trevor Noah talks learning German, speaking ill of the dead, judging people in horror movies and ordering Indian food in Scotland.
-1
Which we follow in Lucio's footsteps as part of the European anarchist movement, from his humble beginnings as a bricklayer turned bank robber, to taking the lead in one of the most important economic shenanigans of the last century. But Lucio will have to choose between the anarchist cause and protecting his own.
1
In a post-apocalyptic world, six soldiers on a covert mission must transport a mysterious package across a frozen archipelago. Noomi Rapace stars.
-2
Clare and Aidan, after making a pact that they would break up before college, find themselves retracing the steps of their relationship on their last evening as a couple. The epic date leads them to familiar landmarks, unexpected places, and causes them to question whether high school love is meant to last.
0
The dark secrets of a seemingly peaceful island threaten to swallow up an orphaned student when he grows close to a mysterious new teacher.
-2
In Savage Beauty, Rosemary Zimu plays Zinhle - a first young woman with a tragic past who is determined to take revenge on the Bhengus family, who destroyed a lot of lives with their infernal vision.

Don and Grace Bhengu once used street children to test a toxic beauty product. Many of those children do not have children, but one of the survivors has developed and particular vengeance. But she knows she has to play it smart to play the powerful family.
0
Dave Chappelle delivers a speech at his prestigious alma mater that reflects on his comedy roots, his rise to fame and why artists should never behave.
2
An environmental police officer uncovers a hidden world of mythological entities from Brazilian folklore when he finds a connection between the mysterious appearance of a dead river dolphin on a Rio de Janeiro beach and the death of his beloved wife.
-2
Uday Gupta, a medical college student wanted to specialise in Orthopaedic, but is stuck in an all-female class of Gynaecology. Will he change his department, or will the department change him?
-1
Two childhood friends go from high school dropouts to the most powerful drug kingpins in Miami in this true story of a crime sage that spanned decades.
-1
Follow the story of a 30-year-old woman who, when feeling dissatisfied with her marriage and family life, finds herself sent back in time 10 years following a lunar eclipse.
-1
A revenge mission becomes a fight to save the world from an ancient threat when superpowered assassin Kai tracks a killer to Bangkok.
-4
A typical middle-class 70-year-old widower, Atmaram Dubey, who has been celibate for decades, realises he will probably never have sex. This awakening catapults him into an outrageous journey of self-discovery defying societal norms.
-1
The summer before college Auden meets the mysterious Eli, a fellow insomniac. While the seaside town of Colby sleeps, the two embark on a nightly quest to help Auden experience the fun, carefree teen life she never knew she wanted.
1
The lives of the people of Allende, a Mexican border town, are overtaken by a powerful cartel's operations, leading to tragedy. Inspired by true events.
2
A man breaks into a tech billionaire's empty vacation home, but things go sideways when the arrogant mogul and his wife arrive for a last-minute getaway.
-2
The members of the Miyama Family who have been living separately decide to live together again. Although bothersome, living together somehow makes everyone feel loved.
0
Tech tycoon, Clay Amani, retreats to an off the grid location in search of meaning and peace, with disconnected siblings and their offspring, only to be caught in a bone-chilling killing spree within his new estate.
-1
A young fan maneuvers her way into a seasoned anchor's newsroom but soon confronts the dark side of ambition, envy and the desire to be seen.
1
Living under an alias, a former police informant is summoned to infiltrate a major drug empire but uncovers a dangerous connection to his dark past.
-2
With plenty of passion and little know-how, two musicians undertake a daunting project: turn a late singer's houseboat into a creative musical space.
1
Rebellious Brooklyn teen Summer Torres is sent to live with family friends in the tiny town of Shorehaven on the Great Ocean Road, Victoria, AUS. Despite her best efforts, Summer falls in love with the town, the people and the surf.
1
Twelve people think they're in the final casting round for a reality show. In fact, they're already being secretly filmed, with 100,000 euros at stake.
0
When a Guatemalan mother seeking asylum was separated from her kids under Zero Tolerance Policy, a group of women sprang into action. Our film focuses on immigrant mothers navigating US bureaucracy and the volunteer group reuniting separated families.
0
A failed bank robber locks himself in a home, along with a real estate agent, two IKEA addicts, a pregnant woman, a suicidal millionaire and a rabbit.
-3
Leaders committed to making a difference in the world share their inspiring life stories in this series executive produced by Prince Harry and Meghan.
1
The opposite worlds of two dancers in Colombia clash on and off the dance floor when their ambition to succeed leads them down a treacherous path.
0
Posing as a private tutor, Azra secretly coaches students on achieving their goals in life and love — but not without a few bumps in the road.
0
In the 1970s, five men struggling with being gay in their Evangelical church started a bible study to help each other leave the "homosexual lifestyle." They quickly received over 25,000 letters from people asking for help and formalized as Exodus International, the largest and most controversial conversion therapy organization in the world. But leaders struggled with a secret: their own “same-sex attractions” never went away. After years as Christian superstars in the religious right, many of these men and women have come out as LGBTQ, disavowing the very movement they helped start. Focusing on the dramatic journeys of former conversion therapy leaders, current members, and a survivor, PRAY AWAY chronicles the “ex gay" movement’s rise to power, persistent influence, and the profound harm it causes.
1
A thirty-seven-year-old woman wakes up from a twenty-year coma and returns to the high school where she was once a popular cheerleader to finish her senior year and become prom queen. The main plot is the empowerment of LGBTQ rights and progress through the years.
3
A legendary secret service agent comes out of hiding and returns to France to help the son he's never met get out of trouble.
0
As a filmmaker and his girlfriend return home from his movie premiere, smoldering tensions and painful revelations push them toward a romantic reckoning.
-1
Anonymous and exploitative, a network of online chat rooms ran rampant with sex crimes. The hunt to take down its operators required guts and tenacity.
-1
Resourceful young Hugo Llor works to make a name for himself in 14th-century Barcelona while keeping a vow he made to the Estanyol family.
2
A separated couple live together for their child's sake in this satirical dramedy about what it means to be a good parent and spouse in today's world.
0
A tragically separated couple must find each other in another life to break a spell on their town, but the arrival of two tourists threaten their chance.
-3
This documentary traces the capture of serial killer Guy Georges through the tireless work of two women: a police chief and a victim's mother.
0
Jonathan Van Ness lets curiosity lead the way while roving from snacks to wigs in this podcast spinoff chock-full of experts and special guests.
1
After a decades-long absence, a renowned Parisian tailor and drag queen returns to his hometown in Poland to make amends with his daughter.
-1
A documentary crew follows the inmates and staff of HMP Woldsley while Catherine Tate portrays multiple characters to capture the penal system at its brutal humorous best.
1
A remote Argentine resort revives its wakeboarding competition, drawing in Mexican athlete Steffi, who is determined to uncover a family secret.
1
Prince Fichael and his crew as they venture out of their domed human city to fight the evil aliens that want to kill them. As they begin their journey, Fichael quickly discovers that all is not what it seems and he may be living a lie.
-3
David Letterman journeys to Kyiv, Ukraine, for a stirring, personal and in-depth conversation with President Volodymyr Zelenskyy.
0
A woman is released from prison after serving a sentence for a violent crime and re-enters a society that refuses to forgive her past.
-4
The bullied outcasts at prestigious Al Rawabi School for Girls plot a series of risky takedowns to get back at their tormentors.
-2
A legendary wuxia romance that focuses on the decade-long romance between Hei Fengxi and Bai Fengxi, and the adventures they embark on together.
1
Two college sweethearts' paths cross again eight years on.
1
Summer 1985. As every year, Rodri travels from Catalonia to Galicia and is reunited with his four friends. As real-world problems begin to undermine their friendship, the five of them embark on a nighttime adventure in search of a mythical object.
-3
Five moms in a competitive grade school community keep their enemies close, and one another closer, as envy and secrets tangle and unravel their lives.
-1
Two sisters must face a new reality — and supernatural elements — when it's revealed their parents participated in a cult ritual ending in death.
-1
Duped and sold to a brothel, a young woman fearlessly reclaims her power, using underworld connections to preside over the world she was once a pawn in.
1
Chasing his dream to join an elite K-9 unit, a state trooper partners with a fellow underdog: clever but naughty shelter pup Ruby. Based on a true story.
0
Years after the horrors of Raccoon City, Leon and Claire find themselves consumed by a dark conspiracy when a viral attack ravages the White House.
-4
Thousands of years in the future, a city known as "Eden 3" is inhabited solely by robots whose former masters vanished a long time ago. On a routine assignment, two farming robots accidentally awaken a human baby girl from stasis questioning all they were taught to believe -- that humans were nothing more than a forbidden ancient myth. Together, the two robots secretly raise the child in a safe haven outside Eden.
0
On the 25th of June 1983, the Lord’s Cricket Ground witnessed one of the biggest underdog stories in the history of sports. Fourteen inspired players - led by a man's self-belief and conviction - fought against all odds and orchestrated India’s greatest sporting triumph by beating the two-time World Champions West Indies.
3
Eternia's Prince Adam discovers the power of Grayskull and transforms into He-Man, Master of the Universe. A reimagining of the classic animated series.
2
Nick Kroll shares his comedian origin story, his first heartbreak, his strange hypnosis experience and the trash-talking celebrity voice in his head.
-1
Laura and Massimo are back and hotter than ever. But the reunited couple's new beginning is complicated by Massimo’s family ties and a mysterious man who enters Laura’s life to win her heart and trust, at any cost.
0
In 1990s Berlin, an artist and a hacker invented a new way to see the world. Years later, they reunite to sue Google for patent infringement on it.
-2
Stuck in COVID-19 lockdown, US comedian and musician Bo Burnham attempts to stay sane and happy by writing, shooting and performing a one-man comedy special.
1
A fearless, faithful albeit slightly forgetful Mumbai cop, Veer Sooryavanshi, the chief of the Anti-Terrorism Squad in India pulls out all the stops and stunts to thwart a major conspiracy to attack his city.
-3
In the not-too-distant future: after a global catastrophe has wiped out nearly all of humanity on Earth, an elite astronaut from Space Colony Kepler must make a decision that will seal the fate of the people on both planets.
0
Will this expert team unearth legendary pirate treasure? Follow the hunt for buried gold amid the harsh Alaskan wilderness in this documentary series.
2
Amid the turmoil in northeast India, an undercover agent tasked with peace negotiations crosses paths with a tenacious boxer fighting for her dreams.
1
Millions in stolen cash. Missing luxury bourbon. Watch ordinary people almost get away with these extraordinary heists in this true crime series.
0
To regain her sense of smell and get back her lover, a detective joins forces with a perfume maker who uses deadly methods to create the perfect scent.
0
At the age of 89, Julián Moreno takes one last bus ride to El Paso, Texas, to visit his daughters and their children – a lengthy trip he has made without fail every month for decades. After returning to rural Mexico, he quietly starts building a house in the empty lot next to his home. In the absence of his physical visits, can this new house bridge the distance between his loved ones?
-2
In a society that favors good looks, a high school outcast leads a double life switching between his two bodies that are polar opposites in appearance.
2
After another year of lockdowns, Aziz takes the stage to skewer pandemic life, quarantines, vaccine cards, celebrity side-gigs, smartphones and more.
0
Passionate about ocean life, a filmmaker sets out to document the harm that humans do to marine species — and uncovers an alarming global conspiracy.
-2
When the owner of the fictional NASCAR Bobby Spencer Racing team steps down and passes the team off to his daughter Catherine, the crew chief has to protect himself and his crew from her attempts to  modernize.
0
Tristan, the son of Meliodas and Elizabeth, inherits the power of the Goddess Clan and can heal people’s wounds and injuries, but he often ends up hurting others due to his inability to control his Demon Clan power. To protect his family, Tristan heads to Edinburgh Castle and meets a host of new friends along the way.
-3
True crime and sports come together in this docuseries. Global controversies and scandals are explored through reports from those involved.
-3
Twelve chefs channel their inner food scientists to re-create classic snacks and invent their own original treats for a $50,000 prize.
2
Pia and two Israelis are kidnapped by IS terrorists in the Sinai desert, and threatened with death if twelve IS prisoners are not released.
-3
The glamorous life of socialite Tamara Falcó takes center stage in this reality series as she balances work, play and her famous family.
3
Pairs of siblings see each other's love life up close and personal as they search for 'the one' together. Will they act as the ultimate wingman to help you find love? Or scupper your plans?
2
An ordinary office worker disguises herself and goes on a blind date with her attractive boss in the place of her friend to end this unwanted marriage blind date after her request.
-2
When a young mother's home birth ends in unfathomable tragedy, she begins a year-long odyssey of mourning that fractures relationships with loved ones in this deeply personal story of a woman learning to live alongside her loss.
-2
Javi, a perfectly ordinary teenager who doesn't suspect that his crush on Sara might be reciprocated. Through a string of misunderstandings, Sara comes to believe that Javi is in possession of supernatural powers.
-2
A 17-year-old girl's world is turned upside down when she and her friends make a disturbing discovery in their quiet Danish town.
0
7 women find themselves dealing with a mystery killing. Who's the killer and what are the motives of the murder?
-4
Alex, a boy obsessed with scary stories, is imprisoned by an evil young witch in her contemporary New York City apartment.
-2
A Mesoamerican warrior princess embarks on a quest to recruit three legendary fighters to help save the world of gods and humankind.
1
Falsely incriminated, Abla Fahita is separated from her kids, but the self-indulgent diva will stop at nothing to redeem herself and reunite her family.
0
When family man Nick Brewer is abducted in a crime with a sinister online twist, those closest to him race to uncover who is behind it and why.
-3
A hotel concierge and a psychiatrist with traumatic childhoods form a heartfelt bond when they become entangled in a perplexing local murder case.
-2
Transferred home after a traumatizing combat mission, a highly trained French soldier uses her lethal skills to hunt down the man who hurt her sister.
-1
A group of actors and actresses stuck inside a pandemic bubble at a hotel attempt to complete a film.
-1
Days after 9/11, letters containing fatal anthrax spores spark panic and tragedy in the US. This documentary follows the subsequent FBI investigation.
-3
High-school girl Yuri suddenly finds herself on the rooftop of a high-rise building. She's trapped in a bizarre world surrounded by skyscrapers, where a masked man cracked open a man's head with an axe before her eyes. Finding a way to survive this bizarre world, find her beloved brother, and escape becomes her top priority, but she is beset by danger not just from the mysterious Masks, which possess both inhuman strength and cruelty, but other survivors turned cruel or desparate by the insanity of the high-rise world.
-8
A slick robotics expert joins a murderous plot after a passionate affair takes a sudden turn, but nothing — not even death — is what it seems to be.
-1
Five women with the same birthmark set out to unravel the truth about their pasts and discover a tragic web of lies spun by a powerful politician.
-2
Haunted by her past, a talented singer with a rising career copes with the pressure of success, a mother's disdain and the voices of doubt within her.
0
In this riveting docuseries, when Norway's top cop is suspected of drug trafficking, investigators must ask: Is he a good officer or a major criminal?
1
An engineering college student invents the first of its kind robot in the Middle East, in an attempt to avenge his father's death and achieve justice, which gets him pursued by the authorities.
-2
After climbing Broad Peak mountain, Maciej Berbeka learns his journey to the summit is incomplete. 25 years later, he sets out to finish what he started.
-1
A software developer and her friends become entangled in a murder case involving her dating app and a mysterious man who seems to be hiding something.
-2
Young, free and madly in love. As teenagers, the world was their oyster—but, as adults, their lives seem dimmer, like a very important piece is missing.
2
Bad tattoos walk in. Great tattoos walk out. Top artists transform tattoo disasters into stunning cover-ups, with designs chosen by clients' loved ones.
2
Follow LA's wildly wealthy Asian and Asian American fun seekers as they go all out with fabulous parties, glamour and drama in this reality series.
2
Filmed at the historic Brooklyn Academy of Music, Hasan Minhaj returns to Netflix with his second stand-up comedy special Hasan Minhaj: The King's Jester. In this hilarious performance, Hasan shares his thoughts on fertility, fatherhood, and freedom of speech.
2
Set in early-18th-century Madrid, the plot follows the love story between an agoraphobic cook and a widowed nobleman.
0
Love -- and lies -- spiral when a DNA researcher helps discover a way to find the perfect partner, and creates a bold new matchmaking service.
1
Under pressure to continue a winning tradition in American tennis, Mardy Fish faced mental health challenges that changed his life on and off the court.
1
A U.S. Army Captain uses her years of tactical training to save humanity from sixteen nuclear missiles launched at the U.S. as a violent attack threatens her remote missile interceptor station.
-2
This black humor pan-Arabic anthology series is about love in general – and relationships in particular.
2
Living her best single life, romance is the last thing on Anzu's mind — until a tiny match-making wizard suddenly turns her life into a clichéd romcom.
1
American fashion designer Halston skyrockets to fame before his life starts to spin out of control.
1
With mesmerizing footage and time lapses of animators at work, this behind-the-scenes special captures the artistry of a unique tale years in the making.
1
When a spiteful coworker sabotages her deliveries, a courier and a helpful customer must race to return Christmas presents to their intended recipients.
-1
Journalist Jenny Eliscu and filmmaker Erin Lee Carr investigate Britney Spears' fight for freedom by way of exclusive interviews and confidential evidence.
1
Cristina, a journalist of Mexican origin, travels to her ancestral home in Veracruz to investigate a story of sorcery and healing. There, she is kidnapped by a group of locals who claim she's the devil incarnated.
-1
Nandini, a young woman who suffers from short-term memory loves to use a diary to keep track of her life. But, when her diary is lost, it is found by a young man. Drawn to the person he reads about, he sets out to find her.
-1
In 2023 in Tokyo, Prime Minister Eiichi Higashiyama pushes for COMS at the World Environment Conference. COMS is a method to liquify pollutants and store it in the crack of the sea floor. Prime Minister Eiichi Higashiyama gathers young and talented bureaucrats and launches Japan Future Promotion Conference, which is to benefit the future of Japan. Keishi Amami of the Ministry of the Environment and Kōichi Tokiwa of the Ministry of Economy, Trade, and Industry are members of that conference.
1
On March 21st, 1945, the British Royal Air Force set out on a mission to bomb Gestapo's headquarters in Copenhagen. The raid had fatal consequences as some of the bombers accidentally targeted a school and more than 120 people were killed, 86 of whom were children.
-3
Unspeakable horrors roam the halls of high school in this anthology featuring ghost stories directed by seasoned Thai horror directors.
0
A once-average teen and his friends become paranormal detective and document their adventures in an online blog under the pseudonym “Mr. Midnight.”
0
When an outlaw discovers his enemy is being released from prison, he reunites his gang to seek revenge.
-4
Comedian, writer and actress Ali Wong returns to Netflix for her third original comedy special, Don Wong. Just in time for Valentine's Day, Ali reveals her wildest fantasies, the challenges of monogamy, and how she really feels about single people. Filmed at The Count Basie Theater in New Jersey.
0
When India's most famous actress goes missing, the search for her chips away at the flawless facade of her life and family, revealing painful truths.
1
Black food is American food. Chef and writer Stephen Satterfield traces the delicious, moving throughlines from Africa to Texas in this docuseries.
1
Wander the New York City streets and fascinating mind of wry writer, humorist and raconteur Fran Lebowitz as she sits down with Martin Scorsese.
1
Igor Grom is a skilled policeman from St. Petersburg, known for his daring nature and uncompromising attitude towards the criminals of all kinds. Incredible strength, analytical mind and integrity – these qualities make Major Grom the perfect policeman. Working tirelessly, he always pushes through, and meets the challenges standing in the way.
2
The documentary series explores different political figures throughout history.
0
A fighter pilot travels back in time to save the future world from environmental disaster, but a side-effect turns her young again and no-one takes her seriously.
-1
To honor her best friend's last wish, a young woman with severe anxiety confronts her greatest fears to try and reclaim her life — and perhaps find love.
2
For teenage misfits Hunter and Kevin, the path to glory is clear: Devote themselves to metal. Win Battle of the Bands. And be worshipped like gods.
3
The real-life pirates of the Caribbean violently plunder the world's riches and form a surprisingly egalitarian republic in this documentary series.
-1
This docuseries follows the high-profile case of Belgian politician Bernard Wesphael, who was accused of murdering his wife in 2013.
0
Head back to Elite Way School as a new generation of students hope to win the Battle of the Bands.
2
The line between justice and revenge blurs when a devastated family uses social media to track down the people who killed 24-year-old Crystal Theobald.
-4
From Netflix: Jesús Juárez overcomes his childhood as an orphan to become a Robin Hood like hero During the Mexican Revolution, but can't forget his first love - Isabel.
2
Semih's girlfriend suddenly breaks up with him. In search of answers about their relationship, he must soon confront what he had long ignored.
-2
A young woman dreamed of a military career. In 2020, however, after telling her mother she was being sexually harassed on the Fort Hood army base, Guillen was murdered by a fellow soldier. Her story sparked an international movement of assault victims demanding action. The project follows her family’s fight for historic reform, a journey that takes them to the Oval Office.
-1
Posing as a wealthy, jet-setting diamond mogul, an Israeli conman wooed women online then conned them out of millions of dollars. Now some victims plan for payback.
0
Through a scholarship to a top school, Ishaya ends up in the luxurious world of the happy few in Nigeria, but a secret threatens not only to put an end to this.
3
Miserable and unsuccessful, a woman thinks she's lost all her spark — until one day, her spunky younger self appears in front of her demanding change.
-3
After going to extremes to cover up an accident, a corrupt cop's life spirals out of control when he starts receiving threats from a mysterious witness.
-3
After discovering a betrayal, Carlinhos takes a fun stranger to accompany him on Christmas. But Graça proves to be a madwoman capable of bringing the traditional family home down.
0
An examination that goes beyond the celebrity-driven headlines and dives into the methods used by Rick Singer, the man at the center of the shocking 2019 college admissions scandal, to persuade his wealthy clients to cheat an educational system already designed to benefit the privileged.
0
A happily married man's life is turned upside down when his wife is killed in a mysterious hit-and-run accident in Tel Aviv.  Grief-stricken and confused, he searches for his wife's killers, who have fled to the U.S.  With the help of an ex-lover, he uncovers disturbing truths about his beloved wife and the secrets she kept from him.
-3
On a hiking trip to rekindle their marriage, a couple find themselves fleeing for their lives in the unforgiving wilderness from an unknown shooter.
-3
From Nashville newcomer to international icon, singer Shania Twain transcends genres across borders amid triumphs and setbacks in this documentary.
0
Escaping from poverty to become a witcher, Vesemir slays monsters for coin and glory, but when a new menace rises, he must face the demons of his past.
-3
As the world's first generation of superheroes (who received their powers in the 1930s) become the revered elder guard in the present, their superpowered children struggle to live up to the legendary feats of their parents.
1
A former RAW officer, who is among the hostages in a mall taken over by terrorists, has to foil their plans and prevent the government from releasing a dreaded terrorist, who he had helped put in prison at great personal cost.
0
After a failed sabotage mission, a trio of anti-apartheid freedom fighters ends up in a tense bank hostage situation. Based on a true story.
-3
Hours after Live Hallangen is declared dead, she suddenly wakes up with an urge for blood. Meanwhile, her brother Odd tries to keep the family-run funeral home afloat.
-2
What does it feel like to be one of the best tennis players in the world? An intimate look inside the life of one of the most gifted and complex athletes of her generation offers insight into the tough decisions and ecstatic triumphs that shape Naomi Osaka as both an elite global superstar and a young woman navigating a pressure-filled world.
7
An exploration of the warring kingdoms of feudal Japan when several powerful warlords fought to become absolute ruler.
1
As he closes out his slate of comedy specials, Dave takes the stage to try and set the record straight — and get a few things off his chest.
0
2074. In the wake of a mysterious global disaster, war rages between the Tribes that have emerged from the wreckage of Europe. Three siblings from the peaceful Origine tribe are separated and forced to forge their own paths in an action-packed fight for the future of this new Europa.
-2
In Waldek's life, filled mainly with computer games, there is a real earthquake. During her absence, mum stays under the care of a crazy and unpredictable aunt, who introduces discipline that has been alien to him so far and imposes new duties. But although an extraordinary relative gives Waldek a real survival camp, the boy also receives the most valuable life lesson from her.
0
Peter Rabbit runs away from his human family when he learns they are going to portray him in a bad light in their book. Soon, he crosses paths with an older rabbit who ropes him into a heist.
-1
Tensions erupt when two filmmakers infiltrate an area ruled by gangs to shoot a music video for a rapper in this gritty found-footage series.
-2
A relatable romance drama about a couple in their 30s preparing for marriage. While they were expecting a happy ending like something out of a fairy tale, the reality of their preparations proves to be somewhat different. From the meeting between the families to marriage preparations and finding a house, the soon-to-be married couple will deal with very realistic topics.
3
It’s the summer before Elle heads to college, and she has a secret decision to make. Elle has been accepted into Harvard, where boyfriend Noah is matriculating, and also Berkeley, where her BFF Lee is headed and has to decide if she should stay or not.
0
In 1980s Naples, Italy, an awkward Italian teen struggling to find his place experiences heartbreak and liberation after he's inadvertently saved from a freak accident by football legend Diego Maradona.
-2
This collection of Minions shorts from the "Despicable Me" franchise includes mini-movies like "Training Wheels," "Puppy" and "Yellow Is the New Black."
0
A school teacher is forced to confront a brutal act from his past when a pair of ruthless drifters takes him and his family on a nightmare road-trip.
-4
Follows Diane Dunbrowski who is always the life of the party, and also known as the "Chicago Party Aunt".
0
Vincenzo Cassano is an Italian lawyer and Mafia consigliere who moves back to Korea due to a conflict within his organization. He ends up crossing paths with a sharp-tongued lawyer named Cha-young, and the two join forces in using villainous methods to take down villains who cannot be punished by the law.
-2
Two Brooklyn siblings' summer in a rural Oahu town takes an exciting turn when a journal pointing to long-lost treasure sets them on an adventure, leading them to reconnect with their Hawaiian heritage.
3
A stubborn bachelor hires an actress to play his fiancee to fulfill his dying mother's final wish, and try to avoid her deleting him from her will.
-2
At the tense 1938 Munich Conference, former friends who now work for opposing governments become reluctant spies racing to expose a Nazi secret.
-1
After civilization succumbs to a deadly pandemic and his wife is murdered, a special forces soldier abandons his duty and becomes a hermit in the Nordic wilderness. Years later, a wounded woman appears on his doorstep. She's escaped from a lab and her pursuers believe her blood is the key to a worldwide cure. He's hesitant to get involved, but all doubts are cast aside when he discovers her pursuer is none other than Commander Stone, the man that murdered his wife some years ago.
-2
After his ad agency goes bankrupt, an indebted Fırat falls for a singer at a yoga retreat and joins her on a journey of self-realization.
-2
Vikramaditya, a world-renowned palmist, believes love does not exist in his stars, until he meets Prerana. But when destiny tries to pull them apart, will love prevail?
3
Gabriel “Fluffy” Iglesias makes history as the first comedian to perform at Dodger Stadium in his new special Stadium Fluffy: Live From Los Angeles. Filmed at Netflix Is a Joke: The Festival, Gabriel hilariously shares details about being a Los Angeles native, a recent attempt at extortion towards him, and where he holds the record for receiving the highest fine on stage.
-1
Three generations of women fight back against those who could take everything from them.
0
Police officer Sedat raids a derelict apartment squatted by a young couple. The man is killed, the young woman, Ayşe, escapes. When her friends and relatives offer no help, Ayşe is forced to steal cash and a car from her father and flee town like an outlaw. The chase goes deeper into the wild. Along with three men he has recruited, Sedat is pursuing her, out to kill in the name of honour. Taking off from the suburbs of Anatolia, Av: The Hunt continues reaching breath-taking natural landscapes, and recounts how a young woman is pulled into spiral of violence while trying to escape the patriarchal society she lives in.
-5
In 1999, teen Rocío Wanninkhof is murdered. Her mother's ex-partner, Dolores Vázquez, is suspected. Did she do it? A second victim reveals the truth.
0
When a teen in rural India discovers a life-changing passion for skateboarding, she faces a rough road as she follows her dream to compete.
0
The Australia II yacht crew looks back on the motivation, dedication and innovation that led to their historic victory at the 1983 America's Cup.
3
A demoted police officer assigned to a call dispatch desk is conflicted when he receives an emergency phone call from a kidnapped woman.
-2
In this reality dating series, marriage-minded singles in Japan meet, date and get engaged before ever setting eyes on each other.
0
When photos of her at a party cause her to lose a scholarship, a student investigates whether something devastating happened to her that night.
-2
A has-been newscaster Liu Li-min is taken hostage by an escaped inmate Zhang Zheng-yi, who pleads his innocence. To Liu's astonishment, Zhang claims that he was smeared by Liu's departed wife. Thus, Liu teams up with Zhang and reinvestigates Zhang's murder case to help his beloved be cleared of blame. However, the more they get to the bottom of the case, the further the truth is beyond their reach.
0
Isabella runs her own salon and isn’t afraid to speak her mind, while Prince Thomas runs his own country and is about to marry for duty rather than love. When Izzy and her fellow stylists get the opportunity of a lifetime to do the hair for the royal wedding, she and Prince Thomas learn that taking control of their own destiny requires following their hearts.
1
Connected by a dangerous secret, best friends Sarah and Kemi are forced to flee after a wealthy groom disappears at his own engagement party.
0
In a mystical world of Japanese gods and spirits, a courageous girl strives to follow in her mysterious father's footsteps and find her true powers.
0
Talented teen figure skater Kayla is forced to leave everything behind when her family follows her twin brother, Mac, to a prestigious hockey academy.
2
Hoping to say goodbye to superficial dating, real-life singles sport elaborate makeup and prosthetics to put true blind-date chemistry to the test.
-1
In 1960s Spain, a Holocaust survivor joins a group of agents seeking justice against the hundreds of Nazis who fled to the nation to hide after WWII.
1
A photojournalist’s obsessive quest for the truth about the first expedition to Mt. Everest leads him to search for an esteemed climber who went missing.
0
When two corrupt police officers investigate the brutal murder of a young girl, tensions come to a head in their small, racially-segregated town.
-4
The war for Eternia begins again in what may be the final battle between He-Man and Skeletor. A new animated series from writer-director Kevin Smith.
0
Throughout the game, players will work their way up a money ladder either by answering questions correctly or by confidently giving incorrect answers - and persuading others that they are accurate.
2
A bestselling female novelist, suffering from writer's block, hires an innocent young woman to watch over her twin children. As the novelist dangerously indulges in her new best seller, the line between the life she's writing and the one she's living becomes blurred.
-1
Lina is about to graduate high school and has her sights set on her future at MIT. But when her mom gets sick, she encourages Lina to follow in her footsteps and have “the summer of a lifetime” in Rome. Using her mom’s old diary as a guide, she explores the romantic and magical city, where she just might find love... and gelato, of course.
2
Follows prince Karl Johan and newcomer Lena, who have feelings for each other but are aware that their relationship might put them in an impossible situation, while he has to carry a nation on his shoulders, she carries lies on hers.
-2
High-stakes exploits turn deadly — and shake a global church to its core — in this extraordinary true crime story.
-3
Through candid interviews, the perpetrators of Argentina's most notorious bank heist detail how — and why — they carried out the radical 2006 operation.
-2
Fed up with his wife’s distancing from him, Hadi goes on a business trip to Turkey where he meets a special woman, an encounter that changes his life forever.
0
A group of friends get together thirty years after one of the group members died in a tragic accident while they were on holiday. What was supposed to be a relaxing vacation changes rapidly into a nightmare, when some of the friends are blackmailed with footage from that terrible week three decades ago.
-4
In the automotive world, John DeLorean rose from engineer to executive to icon. But under the hood of his self-created legend lies darkness and deceit.
-3
Mircea, former Intelligence officer, finds out that his son from has gone missing in the mountains. He travels there to find him. After days of searches, Mircea put his own rescue team together, leading to conflict with the local squad.
1
This documentary walks the line between fact and fiction, delving into corruption in the Mexican police through the experiences of two officers.
-2
After a foreign teenage tourist goes missing in a misty village, Kasturi, a frazzled local cop, is forced to team up with her city-bred successor, Angad, on a high-profile case that unearths skeletons and resurrects a long-forgotten legend of a savage serial killer in the woods.
-3
Featuring interviews with his accomplices and victims alike, this deep dive explores how a master con man scammed French elites out of millions of euros.
2
From odd jobs to the hunt for viral fame, making a career in stand-up comedy isn't easy, but four friends risk everything to make the world laugh.
0
Encaged in a gold-clad life of secrets and lies, two women in a conglomerate family seek to topple all that stands in their way of finding true joy.
-1
A world-famous comedian desperately searches for a way out after a night in Philadelphia with his brother threatens to sabotage more than his success.
0
A young boy and his family move into a haunted home, where he meets three adorable ghost pups and tries to help them turn back into real dogs.
1
A year after the tragic death of her brother, Lisi enters the decadent world of a Munich clique at a ski resort, but soon she kicks off an avalanche that reveals the truth behind the facade full of glamor, money and hedonism.
-5
After getting dumped by her boyfriend and losing her mother in an accident, Yeo-reum decides to move to a small village to do nothing.
-2
Talented home cooks put their skills and creativity to the test making fast and easy dishes that are wildly delicious — and worthy of a big cash prize.
6
In the early 2000s, Yoo Young-chul hammered his victims to death and cast fear across Seoul. This docuseries recounts the hunt for a prolific killer.
-2
This documentary examines the 1999 London bombings that targeted Black, Bangladeshi and gay communities, and the race to find the far-right perpetrator. He terrorized a city, seeking to ignite a race war but justice was served by those who wouldn't let his hate win.
0
Sizzling hot young Brazilians meet at a dreamy beach resort. But for a shot at R$500,000 in this fun reality show, they'll have to give up sex.
2
After a breakup, an influencer takes her friends on a free trip to Bahia's vibrant Carnival, where she learns life's not just about social media likes.
2
French rappers freestyle, battle and write their way to a game-changing 100,000 euro prize in a music competition series judged by Niska, Shay and SCH.
1
Married or single, we've all heard it. "You could buy a house for the price of that wedding!" But have you ever stopped to think, what if you actually did? In the Marriage or Mortgage, a wedding planner and a real estate agent compete to win the hearts and budgets of spouses-to-be. Will they pick fairy-tale nuptials or a dream home?
1
In this kitchen contest, home cooks bid on ingredients to create dishes that will impress celebrity guest judges — and win the cash left in their bank.
2
When strangers Reet and Ruhan cross paths, their journey leads to an abandoned mansion and a dreaded spirit who has been trapped for 18 years.
-1
An ambitious Indian driver uses his wit and cunning to escape from poverty and rise to the top. An epic journey based on the New York Times bestseller.
1
Centres on a psychiatric prison where a group of armed men aim to capture an incarcerated serial killer, but are met with resistance from the prison director.
-4
A 70-year-old with a dream and a 23-year-old with a gift lift each other out of harsh realities and rise to the challenge of becoming ballerinos.
-1
Paris Hilton can cook...kind of. And she’s turning the traditional cooking show upside down. She’s not a trained chef and she’s not trying to be. With the help of her celebrity friends, she navigates new ingredients, new recipes and exotic kitchen appliances.
0
Tells the story of Barbara Lisicki and Alan Holdsworth, two disabled cabaret artists who met in1989 and became the driving force behind Direct Action Network - whose protests pushed disability rights into the spotlight.
-1
Park Seok is the owner of the successful Café 2Dae coffee shop, a small but much-loved establishment with a group of loyal customers. He works alone in the coffee shop, and has not taken on any staff, even though his solo efforts are starting to take their toll on him. One day, a young man named Kang Go Bi comes to the coffee shop and samples Park Seok’s coffee. He immediately develops an earnest passion for coffee and convinces Park Seok to take him on as a part-time worker at the coffee shop. But Kang Go Bi soon proves that he really wants the older man to become his mentor and to learn how to become a proficient barista in his own right. The duo eventually forms a close bond and learns no end of life lessons from one another – while also helping bring a little warmth into the lives of their many and various customers.
8
A bird raised by mice begins to question where she belongs and sets off on a daring journey of self-discovery.
1
Beloved worldwide but also a lightning rod for criticism, Neymar shares the highs and lows of his personal life and brilliant football career.
1
Peruvian soccer star Paolo Guerrero wages a difficult legal battle after testing positive for cocaine months before the World Cup. Based on a true story.
0
A mom and dad who usually say no decide to say yes to their kids' wildest requests — with a few ground rules — on a whirlwind day of fun and adventure.
1
Four sisters – Caroline, Joanna, Paulina, and Vicky – reunite for the Christmas Holiday in a Yorkshire mansion. However, their estranged father, James, joins in for the first time since he left the family behind decades prior. The group attempts to get through the holiday despite comedic misunderstandings, while also uncovering the long-buried secret that tore their family apart, so many years ago.
-2
Surviving Death recounts the extraordinary experiences of people who have died and returned to life, examining the rare physiology behind exactly how the body can physically die, and then bring itself back to life.
-2
In this romantic comedy, several friends, each dealing with unhappy love lives, turn to each other for help - but not always with the best results.
2
Against the backdrop of a turbulent era in Brazil, this documentary captures Pelé's extraordinary path from breakthrough talent to national hero. Mixing rare archival footage and exclusive interviews, this documentary celebrates the legendary Brazilian footballer who personified football as art.
4
A family migrates to the city after a tragic loss. When they reunite in their hometown 30 years later, buried emotions and painful secrets resurface.
-3
An ex-Interpol officer wreaks havoc and sends shock waves across the global underworld but goes missing in action, only to remerge years later, for his beloved family.
-2
In a world where supervillains are commonplace, two estranged childhood best friends reunite after one devises a treatment that gives them powers to protect their city.
0
Chema has a mission: to date Claudia, the attractive new girl at his school, and lose his virginity. Can he fulfill his dream before graduating?
0
It will tell the haunting story of broken souls, toxins, looming environmental and spiritual catastrophes, and the ties that bind a parent to a child.
-2
A handsome secret agent and his team of LGBTQ superspies embark on extraordinary adventures.
2
Serial killer Dennis Nilsen narrates his life and horrific crimes via a series of chilling audiotapes recorded from his jail cell.
-3
From the weird relationship humans have with dogs to how dating a model is like owning a dune buggy, Neal Brennan muses on his life in this stand-up special.
-1
A woman with a mysterious illness is forced into action when a group of terrorists attempt to hijack a transatlantic overnight flight.
-2
Bored with life, popular high schooler Yatora Yaguchi jumps into the beautiful yet unrelenting world of art after finding inspiration in a painting.
1
Desperate to save their marriage, a young couple takes a deal to move into their dream home, but disturbing events reveal the house's troubled history.
-3
A woman wakes in a cryogenic chamber with no recollection of how she got there, and must find a way out before running out of air.
0
One of the biggest comedians in Germany, Carolin Kebekus, mixes festive nostalgia and social commentary with her signature edgy wit to poke fun and challenge 'the most wonderful time of the year'.
3
After a big storm, food is scarce — and hungry dinos are everywhere. It's up to you to help the Camp Fam survive in this thrilling interactive special.
0
When the United States of America was founded, the ideals of freedom and equality did not apply to all people. These are the stories of the brave Americans who fought to right the nation’s wrongs and enshrine the values we hold most dear into the Constitution — with liberty and justice for all.
4
An exhilarating celebration of the art of rock drumming, featuring some of the best drummers ever to have graced the drumkit. The viewer is taken on a uplifting journey through some of the most iconic music ever created, focusing on the women and men with the sticks, their passions, culture and awe-inspiring energy.
5
In 1879, Kenshin and his allies face their strongest enemy yet: his former brother-in-law Enishi Yukishiro and his minions, who've vowed their revenge.
-1
Johnny Hallyday in his own words. This intimate docuseries explores the life and career of France's rock icon through archival film and interviews.
1
Shaman King follows the adventures of a 13-year-old shaman and his teammate a samurai warrior spirit, who traverse the world fighting evil spirits and misguided shamans on their journey to be the next Shaman King.
-2
A mysterious woman recruits bank teller Ludwig Dieter to lead a group of aspiring thieves on a top-secret heist during the early stages of the zombie apocalypse.
-2
A young man is stood up at the altar. His overprotective mother decides to join him is what would have been his honeymoon, so as not to waste the trip. He ails while his mum enjoys the trip of her life.
-1
After a teacher dies, his best friend — a former cop — takes a job at the school where he worked to confront the gang he thinks was responsible.
1
Six men who were sexually abused by Catholic clergy as boys find empowerment by creating short films inspired by their trauma.
-1
Following a zombie outbreak in Las Vegas, a group of mercenaries take the ultimate gamble: venturing into the quarantine zone to pull off the greatest heist ever attempted.
-1
Fidelity tells a story of marital fidelity, in particular the one of Carlo and Margherita, a young couple who needs to face the deflagrant consequences of an alleged betrayal. Their relationship becomes a symbol of fidelity, not only as a couple, but also in the personal choices made every day.
2
A gutsy crew of Joseon pirates and bandits battle stormy waters, puzzling clues and militant rivals in search of royal gold lost at sea.
-2
To save their cash-strapped orphanage, a guardian and his kids partner with a washed-up boat captain for a chance to win a lucrative fishing competition.
1
In this reality series, Marie Kondo brings her joyful tidying tactics to people struggling to balance work and home life and shares her own world.
1
A widowed new dad copes with doubts, fears, heartache and dirty diapers as he sets out to raise his daughter on his own. Inspired by a true story.
-3
David Spade riffs on the humiliations of doctor visits, lemur season in paradise, falling for clickbait and the one selfie he can never get right.
-1
Movie stars and members of the film industry make fun of several narrative and visual clichés that are as shocking and aesthetic as they are often truly ridiculous.
-1
Inspired by her mom's rebellious past and a confident new friend, a shy 16-year-old publishes an anonymous zine calling out sexism at her school.
0
An intimate vérité look following the life of maverick civil rights attorney Ben Crump as he challenges America to come to terms with what it owes his clients—including the families of George Floyd and Breonna Taylor. Directed and produced by award-winning filmmaker Nadia Hallgren (Becoming, After Maria, The Show). Produced by Kenya Barris, Roger Ross Williams and Lauren Cioffi.
2
Jules Claus has embraced Christmas again and is getting ready for the busiest time of the year together with grandpa Noël. Everything seems to go according to plan, until Jules receives a very special letter with an intriguing question...
2
Follow free diver Johanna Nordblad in this documentary as she attempts to break the world record for distance traveled under ice with one breath.
0
Set in Victorian London, the series follows a gang of troubled street teens who are manipulated into solving crimes for the sinister Doctor Watson and his mysterious business partner, the elusive Sherlock Holmes.
-4
Newly arrived in Bangkok, Wanchai joins the road rescue service and unravels a city-wide conspiracy with the help of a journalist.
-1
From illegal gambling to match-fixing, discover the seedy underworld behind the once-revered sport of Muay Thai in this drama inspired by real events.
-2
Tom doles out truths about post-marriage intimacy, his problematic pet pug and why men are to blame for most of life's inconveniences.
-2
Over the course of one fateful day, a corrupt businessman and his socialite wife race to save their daughter from a notorious crime lord.
-4
A ruthless criminal operative has less than 24 hours to exact revenge on her enemies and in the process forms an unexpected bond with the daughter of one of her past victims.
-5
Join Georgina Rodríguez - mom, influencer, businesswoman and Cristiano Ronaldo's partner - in this emotional and in-depth portrait of her daily life.
0
A woman moves to a small town with her husband, but is rattled when she is targeted for a home invasion.
-1
When a mysterious stranger arrives from the future with a dire warning, Leo is forced to rise and lead his brothers, Raph, Donnie, and Mikey in a fight to save the world from a terrifying alien species.
-3
When an up-and-coming young country singer accepts a job as a nanny with a musical family, she finds the bond she's always missed.
-1
In 1939 Germany, a disabled farm boy is pursued by Nazi soldiers after Hitler enacts Aktion T4; a program to euthanize people with disabilities.
-1
Before he built a drug empire, Ferry Bouman returns to his hometown on a revenge mission that finds his loyalty tested — and a love that alters his life.
1
Football player Amaree McKenstry-Hall and his Maryland School for the Deaf teammates attempt to defend their winning streak while coming to terms with the tragic loss of a close friend.
-2
Catch animated shorts like "Phil’s Dance Party" and "Binky Nelson Unpacified" in this compilation from the company behind the "Despicable Me" franchise.
0
Comedian Christina P examines the joys and drags of parenting, partnering and more through a no-nonsense Gen-X lens in this special.
0
When two antagonistic families end up living next door in a posh neighborhood, the matriarchs ensue a full-scale war of unintended consequences.
0
A compromising sexual video featuring a promising politician, it depicts the lives of four women forced to walk the line between public and private life.
1
Explore wild, wondrous Vancouver Island, where the ocean nurtures all life, from bald eagles who go fishing to sea wolves who swim in frigid waters.
-1
Elisabeth and John-John live in the same city, but they inhabit different worlds.
0
Eight top pastry and chocolate professionals elevate their skills under the supervision of world-renowned chocolatier, Amaury Guichon.
3
With prayer beads in one hand and an ax in the other, a monk hunts down a millennia-old spirit that's possessing humans and unleashing hell on Earth.
-2
A young singer on the brink of a promising career finds herself torn between a domineering family, industry pressures and her love for her girlfriend.
1
After a romantic evening at their secluded lake house, a woman wakes up handcuffed to her dead husband. Trapped and isolated in the dead of winter, she must fight off hired killers to escape her late spouse's twisted plan.
-5
Iliza Shlesinger talks about different topics. She starts from every girl's ugly bra to how all adult men need to own a box spring.
-1
The series depicts an active day of incidents and meetings that take place when Rilakkuma, Korilakkuma, Kiiroitori, and Kaoru go play in an amusement park that is about to close.
0
On the last day of 1999, 20-year-old Sebastian locks himself in a TV studio. He has two hostages, a gun, and an important message for the world. The story of the attack explores a rebel’s extreme measures and last resort.
-1
An LA girl, unlucky in love, falls for an East Coast guy on a dating app and decides to surprise him for the holidays, only to discover that she's been catfished. This lighthearted romantic comedy chronicles her attempt to reel in love.
1
PE teacher Devika and her husband have been trying to be pregnant for four years. Their equation changes after she becomes pregnant and when she reveals that she has been abused by four students during a sports meet.
-1
In the near future, a drone pilot is sent into a deadly militarized zone and must work with an android officer to locate a doomsday device.
-1
Everything comes unraveling for three successful women who work on a radio show as twists, turns and troubles plague their seemingly happy marriages.
0
Wazim is young, carefree and often drawn to fights. But when love blooms with a star vlogger, the impact of his fists could have disastrous effects.
1
The story of Steve Harmon, a 17-year-old honor student whose world comes crashing down around him when he is charged with felony murder.
-1
Follows the NASCAR driver Bubba Wallace as he competes for the 23XI Racing team.
0
Pete Davidson jokes about rumors, free plane rides and his very weird year as he invites his friends onstage for a night of stand-up comedy and music.
-2
The Undertaker has set a trap for the decorated tag team The New Day at his mansion. What they don't know: The Undertaker's mansion is an extreme Haunted House, packed to the brim with supernatural challenges. It's up to viewers to decide the fate of these poor souls trying to survive the wrath of The Undertaker.
-3
Best friends Max and Nono bike from Berlin to Beijing, collecting donations to build a school for a unique fundraising adventure in this documentary.
1
A cheap, powerful drug emerges during a recession, igniting a moral panic fueled by racism.  Explore the complex history of crack in the 1980s.
-5
A cartoonist in Rome with his armadillo-for-a-conscience reflects on his path in life and a would-be love as he and his friends travel outside the city.
1
This documentary traces the career of renowned Spanish dolphin trainer José Luis Barbero and the events leading up to his shocking death in 2015.
0
Financial advisers share their simple tips on spending less and saving more with people looking to take control of their funds and achieve their goals.
0
A realtor and her daughter are taken hostage by armed robbers.
-1
Members of a family quit the polluted, rubbish-strewn city of Beirut for an idyllic mountain home. However, their dreams of a utopian existence are shattered by the construction of a landfill on the boundary of their land.
1
Just as Tessa's life begins to become unglued, nothing is what she thought it would be. Not her friends nor her family. The only person that she should be able to rely on is Hardin, who is furious when he discovers the massive secret that she's been keeping. Before Tessa makes the biggest decision of her life, everything changes because of revelations about her family.
0
An accidental killing leads a man down a dark hole of intrigue and murder. Just as he finds love and freedom, one phone call brings back the nightmare.
-1
The sudden demise of the celebrated leader PKR leaves the ruling party in a political crisis and shakes up the family. The party has to elect a leader, and more than one player is in contention. Everyone’s intentions are blurred, and loyalties are in question. Brahma is a game changer in this squabble. Who will succeed as the leader and become the CM?
-3
In 1920s New York City, a Black woman finds her world upended when her life becomes intertwined with a former childhood friend who's passing as white.
0
Covers the 1941 Japanese military strike on a Hawaiian naval base in never before seen detail.
-1
An unfathomable incident introduces a genius engineer to dangerous secrets of the world — and to a woman from the future who's come looking for him.
0
Sang Yu is so exhausted from trying to stay awake. Every time he closes his eyes, a demon chases and kills him in his dreams. One night Sang realizes he has a special power: he can bring treasures from his dreams into reality. Almost overnight, he becomes a rich man. But his wealth also attracts the attention of a ruthless gangster.
-3
Dive Club follows the story of a feisty group of teen divers who search for their friend when she disappears after a cyclone hits Cape Mercy, their small coastal town.
2
Follows a writer and his wife who announce their divorce with a party, which ends up exposing other absurd relationships in their world.
-1
Poignant stories of homelessness on the West Coast of the US frame this cinematic portrait of a surging humanitarian crisis.
0
Waking up from a coma, an accomplished headhunter finds herself in an alternate reality where she has to revisit an excruciating childhood trauma.
-1
Jo Koy owns the stage in a rousing stand-up set about public sneezing, perseverance, the indignities of sleep apnea and getting lost in the Philippines.
-1
Four best friends chase their dreams in the competitive world of fashion while juggling demanding jobs, romantic dilemmas and wild nights on the town.
1
Innovative bakers are paired with the brightest engineers to compete in designing and baking creations that are both delicious and made to survive intense engineering stress tests.
1
A year after their romance began in Riccione, Vincenzo and Camilla reunite for a vacation on the picturesque Amalfi Coast and put their love to the test.
2
Struggling real-life couples date each other's partners to decide who to leave with: the same person they walked in with or someone new.
-1
Max S. reveals how he built a drug empire from his childhood bedroom as a teen in the real story behind the series "How to Sell Drugs Online (Fast)."
1
Years after filming a viral documentary in high school, two bickering ex-lovers get pulled back in front of the camera — and into each other's lives.
-1
In 2004, a brutal predator was lynched in a courtroom. This is the story of the community he terrorized - and the vengeance they unleashed.
-2
Exploring the vital role colour plays in the daily lives of many species.
0
In 1990, two men dressed as cops con their way into a Boston museum and steal a fortune in art. Take a deep dive into this daring and notorious crime.
-1
Learn how to sleep better with Headspace. Each episode unpacks misconceptions, offers friendly tips and concludes with a guided wind-down
1
On the eve of Y2K, orphaned 12-year-old Beverly discovers a broken mixtape crafted by her teen parents. Raised by her grandmother - who struggles talking about her late daughter - Beverly sees the mixtape as a chance to finally learn more about her parents.
-2
Which of the seven participating teams will be the Piñata Heroes? Their piñatas have to be colorful, creative and impress the picky jury: a group of kids!
3
A woman gets an opportunity to save the life of a 12-year old boy who witnessed a death during a thunderstorm which happened 25 years ago, by getting connected through the television set during a similar storm in the present.
-1
This documentary spotlights one of the most contentious deals in football history and the extraordinary player at the center of the storm: Luís Figo.
0
Jeffery Robinson's talk on the history of U.S. anti-Black racism, with archival footage and interviews.
-1
Seeking revenge, a woman goes to the village where her brother was killed, but her ride becomes bumpy when she finds herself falling in love.
-3
In 1960s Rome, a meeting between a free-spirited young woman who grew up in her family's circus and a girl of wealthy descent leads to secrets, intrigue, and unexpected loves.
3
As WWII looms, a wealthy widow hires an amateur archaeologist to excavate the burial mounds on her estate. When they make a historic discovery, the echoes of Britain's past resonate in the face of its uncertain future‎.
0
As soon as veteran driver Ghalib’s truck touches the 500,000 kilometers mark - a record at his company - he is struck by a sudden pain in his back. As Ghalib struggles with this ache, an existential threat begins to overwhelm him when he is asked to train a young new driver.
-6
Bow wows and purr-fect pets. Meet amazing creatures from around the world and dig into the latest science on our animal friends' senses and skills.
3
The crime shocked Brazil: Elize Matsunaga shot and dismembered her rich husband. Featuring her first interview, this docuseries dives deep into the case.
-1
What happens when the name of an innocent girl appears in Kerala Anti-Social Activities Prevention Act (KAAPA), the list of most wanted people in Kerala.
-1
Ahead of a promotion, a police chief becomes entangled in a deadly incident and uncovers an intrigue fueled by grudge that threatens his colleagues.
-1
A documentary that will inspire you to overcome. It took Chris Norton 7 years to walk his bride 7 yards down the aisle after a life-altering football tackle.
1
Zhou Zi Shu gets embroiled in a conspiracy in the martial arts world after quitting his job as the leader of an organization tasked with protecting royalty. He meets Wen Ke Xing, a mysterious martial artist who escapes from the Ghost Valley to avenge his parents’ deaths. They become fast friends and embark on an adventure to find a legendary treasure that will give its owner ultimate power over jianghu.
-2
To investigate a mystery, a young woman moves into a posh condo community, where she comes into contact with its quirky - and suspicious - residents.
-1
An army doctor helps his love interest's family to find their kidnapped daughter.
1
Sharing her journey from child to teen activist, Georgie Stone looks back at her life and historic fight for transgender rights in this documentary.
1
When a Danish chef travels to Tuscany to sell his father's business, he meets a local woman who inspires him to rethink his approach to life and love.
1
The reception for Finland's Independence Day is rudely interrupted when the presidential palace is attacked and the state leadership is taken hostage. Max Tanner of the Security Police is appointed as a negotiator in the hostage crisis, that unfolds as part of a bigger plan to undermine European security.
-4
1944, the Second World War. A British glider pilot, a Dutch boy fighting on the German side and a Dutch female resistance member all end up involved in the Battle of the Schelde. Their choices differ, but their goal is the same: freedom.
0
The travails of Sara, a frustrated fashion designer who blames karma for her bad luck. Fate will put her face to face with her sister, Lucy, who enjoys very different luck, and in a series of events and reunions that will lead her to make a radical decision.
0
After his brother dies in a car crash, a disgraced MMA fighter takes over the family nightclub — and soon learns his sibling's death wasn’t an accident.
-3
When an army of powerful alien beings is unleashed on Earth threatening life as we know it, a brand-new team of Power Rangers, fueled by the prehistoric power of the dinosaurs, are recruited to deal with the threat.
0
A single dad and cosmetics brand owner figures out fatherhood on the fly when his strong-minded teen daughter moves in with him.
0
Asuka had once realized her goal to become a teacher, but after a gutting failure, she gives up her dream profession and becomes extremely withdrawn. After a series of events, she finds herself becoming a live-in housemother for a dorm… where the boy-band septet 8LOOM live together! At the dorm, she is reunited with her former student Dan—as a teacher, Asuka used to encourage him to go for his dreams. Inspired by Dan's leadership in the band and his passion for making his dream come true, Asuka, too, regains the passion she had in her teaching days and comes to terms with her own failure.
1
When a delusional housewife with a personality disorder is taken hostage by a terrorist on the loose and a husband accused of cheating on his wife have their own versions of reality, how do we know who's saying the truth?
-5
David Samaras, "el Griego", is the general producer of the popular talk show "Hoy se arregla el mundo", where supposedly ordinary people resolve relationship, couple, friendship, work, parent and child conflicts. The most enduring bond in his life is Benito, his 9-year-old son, the fruit of a casual relationship. The story changes completely when he learns that Benito is not his son. The search for the real dad will lead them to a crossroads much bigger than the one they set out to face.
2
Legendary manager Fatih Terim recounts his football journey, from his playing days to coaching and leading several teams to championship glory.
3
Two giant robots discover they are brothers while fighting against intergalactic evil to defend Earth.
-1
A special crimes investigator forms an unlikely bond with a serial killer to bring down a global child sex trafficking syndicate.
-3
A devoted doctor helps couples who find themselves desperate for a baby.
-1
When a dark power enshrouds the Earth after a total solar eclipse, the scattered Sailor Guardians must reunite to bring light back into the world.
-1
An emotionally scarred former child soldier becomes a letter writer in this condensed recap of the moving, gorgeously animated award-winning series.
0
In the streets of Istanbul, ailing waste warehouse worker Mehmet takes a small boy under his wing and must soon confront his own traumatic childhood.
-4
Whitney gets personal about sex injuries and dating younger men, spills on her online photo leak and waxes nostalgic about life before social media.
-2
A lonely little boy moves into a ramshackle apartment building all on his own and makes friends with the broke manga artist who lives next door.
-3
Senior year of high school takes center stage as Lara Jean returns from a family trip to Korea and considers her college plans — with and without Peter.
0
From Bill Burr to Ali Wong, Gabriel Iglesias to Trevor Noah, Taylor Tomlinson to Jo Koy, check out the best jokes from Netflix’s 2022 stand-up specials.
0
Told from two points of view, a couple begins dating during the era of the 56K modem and navigates their relationship over the next two decades.
0
In a time when dreams seem out of reach, a teen fencer pursues big ambitions and meets a hardworking young man who seeks to rebuild his life.
0
Homeowners from across the US come to sell their properties, on the spot, to one of four real-estate tycoons.
0
Top stand-ups and rising stars sound off on sex, parenting, politics, pettiness and more in these highlights from the Netflix Is a Joke comedy festival.
0
Togo just wants to watch his neighbors' homes, wash their cars and clean up their sidewalks. But the drug traffickers want more from him.
1
In April of 1994, four women from different backgrounds and beliefs are trapped and hiding during the Rwandan genocide. Their fight for survival against all odds unites the women in an unbreakable sisterhood.
-1
When a voyeuristic divorcee fixates on the lives of a perfect couple a far, she soon gets embroiled in a murder mystery that unfolds revealing truths about her own life.
-2
This reality series follows a crew of famed, affluent stars as they work and play, flirt and feud in Johannesburg, South Africa. This all-African reality series includes actor Khanyi Mbau, musician Diamond Platnumz and rapper Nadia Nakai.
2
Journey to a secret valley in Australia, where a nervous baby kangaroo named Mala faces hungry dingoes and winter snows in this coming-of-age adventure.
-1
When the crown prince is killed, his twin sister assumes the throne while trying to keep her identity and affection for her first love a royal secret.
1
When a trap artist's biggest fan tries to take over his idol's persona, he finds out that being a superstar isn't as easy as it looks.
1
Amol, a cranky PT teacher and his wife Gugloo have opposing choices when it comes to children but destiny has something else planned for the childhood sweethearts.
1
Take a musical odyssey through five weird and wonderful decades with brothers Ron & Russell Mael, celebrating the inspiring legacy of Sparks: your favorite band’s favorite band.
3
Yeon-du asks her best friend Bora to collect all the information she can about Baek Hyun-jin while she is away in the U.S. for heart surgery. Bora decides to get close to Baek's best friend, Pung Woon-ho first. However, Bora's clumsy plan unfolds in an unexpected direction. In 1999, a year before the new century, Bora, who turns seventeen, falls into the fever of first love.
-1
Following her father's murder, a revenge-driven woman puts her trust in a powerful crime boss — and enters the police force under his direction.
0
Follows a young hero born half chicken and half hare. Eager to fit in and feel loved in spite of his differences, he is obsessed by adventuring in spite of his clumsiness.
1
When an engineer (Freddie Highmore) learns of a mysterious, impenetrable fortress hidden under The Bank of Spain, he joins a crew of master thieves who plan to steal the legendary lost treasure locked inside while the whole country is distracted by Spain's World Cup Final. With thousands of soccer fans cheering in the streets, and security forces closing in, the crew have just minutes to pull off the score of a lifetime.
0
From his rise as a business mogul to his plummet into international notoriety, this true crime documentary examines the bizarre story of Carlos Ghosn.
-3
Bothered to realize they are next-door neighbors and share a psychiatrist, a man and a woman find it's impossible to stay out of each other's way.
-2
Through their shared grief and connection to music, an orphaned girl bonds with her emotionally aloof, successful violinist uncle.
-1
Curious puppet pals Waffles and Mochi travel the world exploring the wonders of food and culture while learning how to cook with fresh ingredients.
1
A trio of cheerleaders at a posh private school revive their former classmates' anti-bullying club, and team up to fight injustice in this teen thriller.
1
Depicts the bromance of Goo Pil-soo, a breadwinner in his 40s who dreams for his second heyday, and Jung Seok, a genius in his 20s who dreams of his own start-up company. The drama will realistically portray relatable stories, including the recent social and education problems and the employment and start-up wars. At the same time, it will draw a harmony between different generations and create a warm comedy drama that everyone can sympathize with and watch comfortably.
3
Breakups. Therapy. Bangs. Taylor's gone through some stuff since her quarter-life crisis, and she spins her mental health journey into insightful comedy.
-1
Beneath the sunlit glamour of 1985 L.A. lurks a relentlessly evil serial killer. In this true-crime story, two detectives won't rest until they catch him.
-3
When the clever but socially-awkward Tetê joins a new school, she'll do anything to fit in. But the queen bee among her classmates has other ideas.
1
Two pals embark on a road trip full of funny pranks that pull real people into mayhem.
-1
A small army of well trained criminals led by Grace Lewis have hijacked a train deep beneath the English Channel.
2
From humble beginnings to overnight fame, these are the stories of the most popular personalities on social media as they come into their own, fall in love and tackle new chapters in their lives.
3
Amaia's life, according to her, just sucks. Overnight, she has to say goodbye to her life in Barcelona, where she has all her friends and her day to day already established, to go live in her mother's village, where NOTHING ever happens. However, she will soon discover something that could turn her life around... that perhaps she has inherited the powers of her grandmother: a woman she never met, but with the reputation of being the only witch that has ever lived in the town of Salabarria.
0
Five women in their 30s, friends since their school days, go on their annual getaway. But this year, one of them has just been diagnosed with cancer.
-1
The story of Monica Chowdry, a National Spelling Bee champ…from 15 years ago. Life hasn’t quite panned out as expected for Monica since her big win. When her estranged older brother returns home to help care for their sick mother, the siblings must find a way to reconcile.
0
An ex-army captain travels to Dalyan to stop his friend's beloved from marrying another man, but grief and trauma from a combat tragedy mar his journey.
-3
Estranged, quarreling brothers Carezza and Sorriso have to put aside their differences to reclaim their father's beloved dune buggy from predatory real estate developer Torsillo, with the help of beautiful circus performer Miriam, whose family business is threatened by Torsillo's enforcers.
0
To save his father, a master forger sets out to steal an invaluable painting with the help of a motley crew of specialists.
0
The complicated relationship of several of the Colombian national team players with drug trafficking, one that culminated in the own goal and murder of one of the most beloved defenders in the world.
0
After being betrayed by his boss, a hitman hides out in a vacant tailor shop, where he's mistaken for the late owner's son, an identity he decides to embrace.
-1
Christmas Eve takes a twisty turn when the Boss Baby accidentally swaps places with one of Santa's elves and gets stranded at the North Pole.
0
Suddenly catapulted into high society, a young woman who lacks a bit of finesse tries to integrate into her new surroundings.
-1
Izwan is a single father raising his son Biko. They get kicked out of their house for failure to pay rent. Irfan's best friend Sherry takes Biko for an audition with a famous singer, Sara. But who is Sara?
1
Tangled in a troubled marriage, a frustrated couple finds hope in a watch-based app that rewards good deeds — until unhealthy obsessiveness takes over.
-3
Two years after aliens land on Earth, survivors from Sydney, Australia, fight in a desperate war as the number of casualties continue to grow.
-1
A lawyer ignores his values and publishes a dead man’s book in his own name, only to discover that the murder story is real and become the prime suspect.
-3
When a singer goes missing amid a serial killing spree, a cabbie and a businessman's son cross paths in a twisted tale where good and evil is blurred.
-3
At East Bank Station, a close-knit team of firefighters must balance a dangerous, high-stress job, personal challenges and professional setbacks.
-2
Former NFL player and "Bachelor" star Colton Underwood embarks on a journey to embrace his new life as an out member of the LGBTQ community.
0
A tough judge balances her aversion to minor offenders with firm beliefs on justice and punishment as she tackles complex cases inside a juvenile court.
-2
Living with her family since the pandemic struck, the meddling Isadir does her best to disrupt the lives of her bumbling son and rival daughter-in-law.
-2
A small town in Portugal becomes engulfed in a web of political intrigue when a young engineer is recruited as a KGB spy in this historical thriller.
1
A detective who's also a public security agent and a member of a shadowy organization juggles his triple identities.
-1
While visiting a massacre memorial, a photographer finds herself drawn to a local woman. But their romance stirs up painful memories of a shared past.
-2
In the near future on a colony of state-of-the-art robots, a private investigator is hired by the colony's creator to bring his missing daughter home.
1
Camp Confidential: America's Secret Nazis, is a documentary short featuring animation that  focuses on the story of a top secret POW camp that was classified for over 5 decades. In the midst of WWII, a group of young Jewish refugees are assigned to guard a top secret POW camp near Washington D.C. The Jewish soldiers soon discover that their prisoners are no other than Hitler's top scientists - What starts out as an intelligence mission to gather information from the Nazis, soon gets a shocking twist when the Jewish soldiers are tasked with a very different mission altogether. A mission that would question their moral values - exposing a dark secret from America's past.
0
An unexpected reunion between a traveling musician and his son opens old wounds as the two set out on a long journey to a troubadour festival.
-2
The story of Shaista, a young man who—newly married to Benazir and living in a camp for displaced persons in Kabul—struggles to balance his dreams of being the first from his tribe to join the Afghan National Army with the responsibilities of starting a family. Even as Shaista’s love for Benazir is palpable, the choices he must make to build a life with her have profound consequences.
1
In 16th-century Zazzau, now Zaria, Nigeria, Amina must utilize her military skills and tactics to defend her family's kingdom. Based on a true story.
1
The two lovers, Hazem and Hana, decide to have their baby in America to get the nationality. However, they come across many obstacles that threaten their marriage, especially when Hana stays in America and does not come back.
-1
Two people, a man and a woman, wake up naked and with their abdomens attached to each other.
0
The most unexpected people can become your chosen family in a place you never thought could be home. In 1950s Istanbul, amid political unrest, a Jewish mother seeks to reconnect with her daughter after being released from prison.
-3
Rita Moreno defied both her humble upbringing and relentless racism to become one of a select group who have won an Emmy, Grammy, Oscar and Tony Award. Over a seventy year career, she has paved the way for Hispanic-American performers by refusing to be pigeonholed into one-dimensional stereotypes.
-1
Alessandro Cattelan searches for happiness through interviews and unique experiences with celebrity guests like Paolo Sorrentino and Roberto Baggio.
2
Follow three professional video game players as they overcome personal adversity, family pressures, and the realities of life to compete in a $1,000,000 tournament that could change their lives forever.
-1
Cursed since birth and exempt from death, a revenge-driven immortal sets out on a quest to reclaim his soul and end a 600-year-old vendetta.
-1
Survivors and insiders recount March 11, 2004's terrorist attack on Madrid, including the political crisis it ignited and the hunt for the perpetrators.
-1
A dysfunctional couple head to a remote lakeside cabin under the guise of reconnecting, but each has secret designs to kill the other. Before they can carry out their respective plans, unexpected visitors arrive and the couple is faced with a greater danger than anything they could have plotted.
-3
When a heartbroken scientist moves back home to start over, her scheming brother hires a handsome stranger to convince her to sell their land.
0
Chelsea Handler lets loose on her life choices, rowdy rescue dogs, dating frustrations, and why society owes women an apology.
-2
The most spoiled man in the country has to overcome a difficult test imposed by his grandfather to inherit the family fortune, through which he finds what he believes is his vocation: To do politics but to the no always lawful way of it.
0
19-year-old Mirta dies of drug overdose with her lover Robin. She then resuscitates alone and finds out that, in order to keep living, she must eat living humans.
1
Glimpse into the world of the songstress known as the "Rock Heroine" as she reflects on the first decade of her career and looks to the future.
1
Six young motocross riders come together to form a team, to make the national titles, or crash out trying. But the biggest win of all might be the friends they make for life.
0
Robin Wiltshire's painful childhood was rescued by Westerns. Now he lives on the frontier of his dreams, training the horses he loves for the big screen.
0
Passionate about food and ready for fun, critic Daym Drops drops in on America's smokin' hot spots for the best, freshest takes on fried food.
4
After a remote diamond mine collapses in far northern Canada, an ice road driver must lead an impossible rescue mission over a frozen ocean to save the trapped miners.
-3
The teenage son of two fathers makes a documentary film about his parents but is surprised when a real-life plot twist occurs in his family.
-2
Clara and Diego, under the guidance of the psychiatrist of a day rehabilitation center for disturbed people who attend, decide to transform the treatment center into a restaurant, involving all their other companions.
0
When two siblings stumble on a strange hole in the wall of their grandparents' house, horrifying incidents reveal sinister secrets about their family.
-4
Getting engaged. Getting iced. Getting a mind-blowing butt massage. Fortune Feimster shares uproarious stories from her life in this stand-up special.
1
The true story behind the iconic Selamat Hari Raya song written in 1958, by P. Ramlee and Jamil Sulong during a variety show which they had organised to collect funds for fellow performers and friends who had lost their jobs at the studio.
0
En route to a party, two strangers get stuck in an elevator on New Year's Eve — and find themselves connecting in unexpected ways.
-3
This documentary traces the rise and crash of scammers who conned the EU carbon quota system and pocketed millions before turning on one another.
-1
A modern love story set in the near future where an AI building is powered by human feelings. Due to a software glitch, it falls in love with a real girl, escapes the building into the body of a real man, and tries to win her affections.
3
A man from a Brahmin family falls in love with a Christian girl. In order to convince their parents, they say contrasting lies which complicates the situation and leads to a comedy of errors.
-1
Vennela has fallen for Aranya aka Ravanna’s poetry and the man both. What happens when she sets out on an arduous journey to be with him?
-2
Zafik is unjustly imprisoned and not pleased about it. When he is released, he gets the help of the unhinged Feroz to get revenge.
-1
Hosted by award-winning ABC News reporter Gio Benitez, "I Survived a Crime" takes viewers on a journey into the experience of being a victim of a sudden crime, from the moment those attacked first perceive the danger through the potential long-lasting effects. Using surveillance and cell phone footage captured during the crime, the series follows individuals going about their daily lives who were confronted with a dangerous situation and forced to make a quick decision on how to protect themselves or their families.
-3
Inspired by true life events, in the Oyo Empire in the 1940's, Elesin Oba, the king's chief horseman, succumbs to the lure of beauty and sexual desire on the very evening he is set to die in order to fulfil his lifelong debt of ritual suicide to accompany the dead Alaafin to the realm of the ancestors, he derails from a very important generational and spiritual transaction. This sets in motion a series of catastrophic consequences, in a spell-binding film of emotions, humour, and tragic role reversals that puts ancient beliefs and customs on trial in an ever increasingly post-modern and Western world.
-3
Rei helps the woman she's been in love with for years escape her abusive husband. While on the run, their feelings for each other catch fire.
0
16-year-old Yuguo, who has a passion for Eastern European romantic poetry, makes a pilgrimage from his home in China to the foothills of Romania’s Carpathian Mountains.
2
Kenneth Feinberg, a powerful D.C. lawyer appointed Special Master of the 9/11 Fund, fights off the cynicism, bureaucracy, and politics associated with administering government funds and, in doing so, discovers what life is worth.
2
The feature documentary follows women of all walks of life, all ages and ethnic backgrounds, as they shed trauma, body image shame, sexual abuse and other issues locked in their bodies, and embark on a journey to reclaim themselves. The film also gives a rare window into the world of Pole artistry and expression.
-3
Violent con artists. Stone-cold killers. These terrifying true stories unveil some of the worst cohabitation experiences one could ever imagine.
-3
Multiple stories about the oscillating world of couple relationships and how difficult it can be to separate sex from love.
0
Go behind the scenes and see how the creators of "Dark" used groundbreaking virtual technology "The Volume" to shoot their new mystery series.
-1
In this compelling documentary, members of the Thai youth soccer team tell their stories of getting trapped in Tham Luang Cave in 2018 — and surviving.
-2
Follows celebrated competitive skating icon Leo Baker as they try to make space for themselves in the gendered world of pro sports and build a more inclusive skate culture, which leads them to doing the punkest thing imaginable.
3
A twenty-something lesbian university graduate in Amsterdam prepares to leave for Montreal, meanwhile navigating her social life and writing carreer.
0
After embarking on a life-changing field trip, a group of whip-smart students fight to save humanity from an army of ruthless drones.
-1
Catherine Clare reluctantly trades life in 1980 Manhattan for a remote home in the tiny hamlet of Chosen, New York, after her husband George lands a job teaching art history at a small Hudson Valley college. Even as she does her best to transform the old dairy farm into a place where young daughter Franny will be happy, Catherine increasingly finds herself isolated and alone. She soon comes to sense a sinister darkness lurking both in the walls of the ramshackle property—and in her marriage to George.
-4
In the 80s, the beginnings of french hip hop told through the birth of the french rap band NTM and the ascension of dancer and graffiti artist Lady V and DJ Dee Nasty.
-1
Challenged to compose 100 songs before he can marry the girl he loves, a tortured but passionate singer-songwriter embarks on a poignant musical journey.
2
Christmas is drawing near, but it’s not a happy time for David. After moving to a big city, his parents have been bogged down with work and forgotten the meaning of Christmas. David decides to change that. Together with Albert the Elf, who escaped from the land of Santa to figure out what Christmas is all about, David sets off to Tatra Mountains, where his grandparents live, on a journey full of adventures.
2
After Jodi Kreyman gains popularity, her miscommunications start causing rifts with those around her and now she really needs to "stand tall".
0
A former boy band star unexpectedly gets a second shot at success when he forms a bond with a gifted young drummer.
1
The heroes from the Trollhunters series team-up on an epic adventure to fight the Arcane Order for control over the magic that binds them all.
1
Johnny Bolt recruits a group of ragtag supervillains for one last heist. Their target: A ruthless super-powered crime boss. What can go wrong?
-3
The series shows how meditation can help in your daily life. From tackling stress to embracing gratitude, each episode first teaches the basics and techniques of the practice, and then concludes with a guided meditation. Push play, close your eyes, and explore the many benefits of meditation.
1
In this rom-com challenging the concept of soulmates, parallel storylines portray four single friends as they pair up in different couple combinations.
-1
An impoverished teen seeking to escape the clutches of a human trafficker must weigh living up to his moral code against his struggle to survive.
-2
Relentlessly pursued by a powerful politician’s daughter who will do anything to make him hers, a man slips down a dark, risky path to reclaim his life.
-1
The story of erotic film producer and director, Ersan Kuneri, in the 70s and 80s.
0
After meeting one day, a shy boy who expresses himself through haiku and a bubbly but self-conscious girl share a brief, magical summer.
1
Christopher Wallace, AKA The Notorious B.I.G., remains one of Hip-Hop’s icons, renowned for his distinctive flow and autobiographical lyrics. This documentary celebrates his life via rare behind-the-scenes footage and the testimonies of his closest friends and family.
1
A big-city dentist opens up a practice in a close-knit seaside village, home to a charming jack-of-all-trades who is her polar opposite in every way.
1
The StoryBots are back, answering tough questions and delivering so many laughs that kids won't even realize they're learning.
1
In Jerusalem 1986, a 14-year-old boy shoots his family point-blank in their beds. Yet questions persist. In this docuseries, insiders come forward.
0
An introverted young man with OCD, who is dejected after his fiancé leaves him, learns to find happiness and positivity in life from two couples whose stories he reads about.
0
Equestria's divided. But a bright-eyed hero believes Earth Ponies, Pegasi and Unicorns should be pals — and, hoof to heart, she’s determined to prove it.
1
A circle of teenage friends accidentally encounter the ancient evil responsible for a series of brutal murders that have plagued their town for over 300 years. Welcome to Shadyside.
-2
The opposite lives of a workaholic architect and a fiery artist are upended when their chance encounter in breathtaking Peru shifts their views on life.
2
Brought together by a mysterious song, a grad student and an engineer lead the fight against an unimaginable force that may spell doom for the world.
-2
A group of metal artists torch, cut and weld epic, badass creations from hardened steel. Only one will win a $50,000 prize.
1
The four Teletubbies discover and interact with their world.
0
A documentary film following the quest to understand the most mysterious objects in the universe, black holes.
-2
First crushes, first kisses, fun with friends — and feuds with rivals. In the halls of Galileo Galilei Middle School, every day is full of surprises!
-1
A slacker who does his best to avoid confrontation strikes up an unlikely friendship with a dangerous thug who suddenly forces his way into his life.
-4
An enigmatic magician living in an abandoned amusement park introduces magic into the life of a high schooler struggling with harsh realities.
-1
A reclusive ex-cop reenters the game as an insurance investigator, searching for clues in crime scenes perfectly staged by a serial killer in her midst.
-1
When aspiring musician and student Deniz falls for a rough-hewn motorbike racer, tragedy and family opposition obstruct their path to love.
-3
An American tourist in Greece finds himself on the run after a tragic accident plunges him into a political conspiracy that makes him a target for assassination.
-2
A devastated husband vows to bring justice to the people responsible for his wife's death while protecting the only family he has left: his daughter.
-2
Amy Schumer welcomes her favorite comedians to the stage in this special about family life, from the pressures of parenting to the joys of remarriage.
3
A standup show by Johanna Nordström
0
Samyuktha's husband Gautham acquires a contract to build a township villa in an abandoned forest area. Gautham takes the help of his close friend Gayathri, an architect, to plan the construction. Gautham, Samyuktha, Gayathri, Aditi visit the guest house in the forest area to plan the construction. However, they start to experience several paranormal activities in the guest house which leaves them shocked and terrified.
-1
To gain the skills he needs to surpass his powerful father, Baki enters Arizona State Prison to take on the notorious inmate known as Mr. Unchained.
2
From a chance meeting to a tragic fallout, Malcolm X and Muhammad Ali's extraordinary bond cracks under the weight of distrust and shifting ideals.
-2
Eight Business Men decide to go to location of Elsalam Ship Which was sinked years ago to make a documentary where they face alot of dangers there.
-1
A homeless man meets a medical school student who pays him to volunteer for a surgical procedure known as trepanation, drilling a hole in his skull, which ends up giving him the ability to communicate with the dark side of people’s subconscious minds.
-1
After her job and relationship implode on the same day, Sofia starts from scratch — and meets a dashing Spanish chef who might be her missing ingredient.
-1
A fantasy-adventure preschool series following Native American sibling trio Kodiak, Summer and Eddy Skycedar, who have a shared secret—they’re “Spirit Rangers!” Spirit Rangers can transform into their own animal spirit to help protect the National Park they call home.
1
Often (mis)guided by a cheeky imaginary wizard, an awkward and lonely 20-something struggles to get out of his own way in his quest for a girlfriend.
-4
Tragedy, betrayal and a mysterious discovery fuel a woman's vengeance for the loss of her tribe and family in this special episode of "Kingdom."
-5
Seven families live in the Parisian apartment building at 8, Rue de l’Humanite - and they didn’t escape to the countryside at the arrival of the coronavirus. Three months of life under lockdown will reveal the best and worst of these neighbours.
-1
'Tis the season for five returning artists to fill the hot shop with festive designs. One will win cash for the stocking — a merry Christmas indeed!
4
Deep in the jungle, a group of Mexican gum workers crosses their path with Agnes, a mysterious Belizean woman. Her presence enlivens the fantasies and desires of those men, without knowing that they have woken up an ancient Mayan legend.
-1
In a Georgia town where football rules and winning is paramount, a high school team tackles romance, rivalries and real life while vying for a title.
1
Tasked with capturing a wanted criminal, a fierce undercover agent wrestles with perilously high stakes when her heart is pulled into the mission.
-4
The story of Dylan Pettersson, a 23-year-old girl from a small island in the Swedish archipelago with big dancing aspirations.
1
Life in a town at war seen through the eyes of three young girls on the path to adolescence.
0
A tailor gains special powers after being struck by lightning but must take down an unexpected foe if he is to become the superhero his hometown in Kerala needs.
-2
An event from the past separates the fate of three friends. Unexpectedly, in the life of David (Mateusz Banasiuk) she appears again. Dzika (Weronika Ksiazkiewicz) - once the love of his life, now an experienced policewoman, makes him an offer that cannot be rejected. Either he becomes a police informant, or his brother (Wojciech Zielinski) will go to prison with a long-term sentence. Pressed against the wall, David finally succumbs, and his main goal becomes to infiltrate in an organized criminal group. Hitting the middle of a war for influence and money, he will have to face constant suspicion from Golden's old friend (Mateusz Damiecki). He will soon discover that the world from which he tried to free himself draws him in with redoubled strength.
-2
Follows Skip and Treybor as they celebrate all that is 80s and 90s television.
1
Sicily boasts a bold "Anti-Mafia" coalition. But what happens when those trying to bring down organized crime are accused of being criminals themselves?
-2
It follows the lives of two women as they find courage and love in exceptional circumstances.
3
Do you want to relax, meditate or sleep deeply? Personalize the experience according to you mood or mindset with this Headspace interactive special
0
This film tells the rise of a Malay warrior named Mat Kilau and his friends against the British colonialists who came to Pahang in 1890. The greed of British officials and policies, which have imposed excessive taxes, confiscated land belonging to the Malays to reap the treasures of Pahang and disrupted the Islamic way in Pahang has caused dissatisfaction among the rulers and the Malays. The patriotic spirit of Mat Kilau and his friends who rose up against British violence had caused Captain Syers to launch an attack on Mat Kilau. Witness the heroic spirit of Mat Kilau, Tok Gajah and Mat Kilau's best friends use their wisdom to fight in the jungle against the British soldiers. Did Mat Kilau and his friends succeed in driving out the barbaric and greedy British army to reap gold and tin in Pahang?
1
Laura Price is a successful San Francisco lawyer on the cusp of promotion – a far cry from her childhood growing up on a tropical island with best friends Chip and Gem. When the firm’s biggest client – Chip’s grandfather – asks Laura to travel to the island and deliver a contract to make Chip his heir, she leaves behind her practice and fiancé Owen to convince her childhood friend to sign a contract that will make him a billionaire.
2
Follows Bear Grylls after a plane crash in the ice ravaged mountains, where he finds himself with amnesia and tries to save himself and the pilot from the harsh winter elements.
-2
In a world where humans and fearsome monsters live in an uneasy balance, young hunter Aiden fights to save his village from destruction by a dragon.
-4
Through an exclusive matchmaking agency, women strive to marry a desirable bachelor and into the highest echelon of society.
1
After inheriting a farm at Christmas time, a widowed father makes a bumpy adjustment to village life — while his kids hatch a plan to stay there forever.
-1
Leaning on each other through thick and thin, a trio of best friends stand together as they experience life, love and loss on the brink of turning 40.
1
Love never hurt so good for two co-workers who enter a contractual relationship as partners in consensual play, pleasure and pain.
1
Before he was a protector, Kenshin was a fearsome assassin known as Battosai. But when he meets gentle Tomoe Yukishiro, a beautiful young woman who carries a huge burden in her heart, his life will change forever.
-1
In 2045, two children born on the moon and three kids from Earth try to survive after an accident on their space station leaves them stranded.
0
Love and politics collide when modern day individuals working as theatre artists in fall in love while making a play about love. They realize that it's the social structure that determines their values and thoughts, and for their love to succeed, they have to go against it.
5
Madea's back - hallelujer! And she's not putting up with any nonsense as family drama erupts at her great-grandson's college graduation celebration.
0
Agents at a talent management firm tackle strong personalities and office politics while keeping their celebrity clients happy and helping them shine.
5
A wealthy teen and his friends attending an elite private school uncover a dark conspiracy while looking into a series of strange supernatural events.
-1
Chasing speed, dreams and money, a team of drivers get involved in the slush fund investigation of a powerful figure during the 1988 Seoul Olympics.
1
When the crew of a space junk collector ship called The Victory discovers a humanoid robot named Dorothy that's known to be a weapon of mass destruction, they get involved in a risky business deal which puts their lives at stake.
-2
One day, Jean-Louis discovers that his heart has stopped. He is not dead, can walk and talk, but his heart is no longer beating. With the help of his wife and a friend, he tries to understand the origin of this mystery.
-2
Upstart payment firm Wirecard wowed the financial industry with its runaway success — until a tenacious team of journalists exposed massive fraud.
1
Five experts in lifestyle, fashion, beauty, health and design — known as the Fab Five — dazzle a nation and transform lives in this makeover series.
2
Romance is sweet and bitter — and life riddled with ups and downs — in multiple stories about people who live and work on bustling Jeju island.
1
As Faten, a woman who works at the real estate registry, decides to ask for a divorce from her husband Seif, she finds herself facing many hardships and obstacles; raising two daughters on her own and finding out that the odds are stacked against her when it comes to the law.
-1
The notorious Cecil Hotel grows in infamy when guest Elisa Lam vanishes. A dive into crime's darkest places.
-3
Shaun's seasonal excitement turns to dismay when a farmhouse raid to get bigger stockings for the flock inadvertently leads to Timmy going missing. Can Shaun get Timmy back before he becomes someone else’s present?
1
When a cynical ex-TV news anchor gets an alarming call on his radio show, he sees a chance for a career comeback — but it may cost his conscience.
-2
Katt Williams riffs on truth, lies, chicken wing shortages and the war on drugs in this electrifying stand-up special filmed in Las Vegas.
-2
As a devoted entrepreneur wins the affections of a free-spirited traveler, he must also win over her stern and disapproving father.
1
A serial murder case takes place in the small, peaceful city. The case is the same serial murder case that took place 20 years ago and changed Lee Dong-sik’s life. The two detectives work to catch the killer.
-1
Brian Regan tackles the big issues weighing on him, including aging, time, obsessive behavior, backpacks on airplanes, ungrateful horses and raisins.
-3
The Misfits are in for a wild year as they prepare a school musical. But when the strict new headmaster bans the show, it's up to Julia to save the day.
-3
Based on the book by Naoki Higashida, filmmaker Jerry Rothwell examines the lives of five non-speaking, autistic youngsters.
0
Nicknamed after a human-devouring spirit, the ruthless leader of an overseas black ops team takes up a dangerous mission in a city riddled with spies.
-2
An aspiring actress in a small town in Rajasthan agrees to bear a child for a visiting couple seeking a surrogate mother, but her experience takes an unexpected turn when they refuse to have the child anymore.
-2
An assassin named Tae-goo is offered a chance to switch sides with his rival Bukseong gang, headed by Chairman Doh. Tae-goo rejects the offer that results in the murder of his sister and niece. In revenge, Tae-goo brutally kills Chairman Doh and his men and flees to Jeju Island where he meets Jae-yeon, a terminally ill woman. Though, the henchman of the Bukseong gang, Executive Ma is mercilessly hunting Tae-goo to take revenge.
-10
The De La Mora siblings concoct a mischievous plan to break into their old family home to retrieve a hidden treasure of significant importance.
0
A teenage rabbit aspiring to become a real samurai teams up with new warrior friends to protect their city from Yokai monsters, ninjas and evil aliens.
-1
An unlikely Christmas romance blossoms between a famous rapper and a tenacious journalist. But can they make it work despite their differences?
3
In this captivating period series, the life and career of Mexican singer Vicente Fernández is dramatized like never before.
2
A Brooklyn youth football program and its selfless coaches provide a safe haven for kids to compete and learn lessons that will take them far in life.
1
From boardrooms to society's margins, five ambitious women from various walks of life navigate dreams, desires and disappointments in modern Mumbai.
1
A group of young adults working at a paradisiac resort live an unforgettable summer as they discover love, true friendships and devastating secrets.
1
After a race they drive in ends fatally, friends Kike and Noche flee to Mexico City to hide, rebuild their lives and escape danger ... or at least try.
-3
Mario is a young fisherman who dreams of becoming a poet. He gets a job as the postman to Pablo Neruda when the legendary writer moves there after being exiled from Chile.
1
Two best friends embark on a life-changing adventure abroad as exchange students.
1
David Attenborough and scientist Johan Rockström examine Earth's biodiversity collapse and how this crisis can still be averted.
-2
They've built a movement out of minimalism. Longtime friends Joshua Fields Millburn and Ryan Nicodemus share how our lives can be better with less.
1
A three-person crew on a mission to Mars faces an impossible choice when an unplanned passenger jeopardizes the lives of everyone on board.
-2
An exploration of the remarkable friendship between Archbishop Desmond Tutu and His Holiness the Dalai Lama.
1
After falling victim to a scam, a desperate man races the clock as he attempts to plan a luxurious destination wedding for an important investor.
-1
Manu, a bodybuilder from Chandigarh, India, falls in love with Maanvi, a Zumba teacher. All seems well until a revelation causes turmoil in their love story.
2
In a night of killer comedy, Bill Burr hosts a showcase of his most raucous stand-up comic pals as they riff on everything from COVID to Michael Jackson.
-1
Tired of being locked in a reptile house where humans gawk at them like they're monsters, a group of Australia's deadliest creatures plot a daring escape from their zoo to the Outback.
-2
Aspiring pop star Erica ends up as the entertainment at her ex-fiancé’s wedding after reluctantly taking a gig at a luxurious island resort while in the wake of a music career meltdown.
-1
While serenading a wedding that quickly implodes, a nomadic musician falls for the bride, who runs afoul of her family. Now he has to save her life.
-1
When an invasive mining company threatens the existence of her village, a city girl caught between two worlds must return home, overcome her painful past to save the village and find herself in the process.
-2
Ivy and Bean never expected to be friends. Ivy is quiet, thoughtful and observant. Bean is playful, exuberant and fearless. However, sometimes an adventure reveals that opposites can become the best of friends.
6
Suzanne Joe Kai’s intimate documentary shows us how the Rolling Stone writer and editor defined the cultural zeitgeist of the ’60s and ’70s.
1
Thaiyal Nayagi, a journalist from Chennai, happens to connect with a terrorist in Tunisia through a fake account in the name of her 16-year-old cousin, Sushmitha. Little she knew that this would put herself and her cousin in danger.
-2
Ahmed joins his father Habib, whose state of health is deteriorating. They find themselves in a chaotic situation for which neither is prepared.
-2
Hoping to save his sick mother, a boy named Gunner and his friend Jo venture into the remote Wild Horse forest to search for a mythical figure who possesses the secret to immortality. When they go missing, Gunner's father Amos must immerse himself in his son's world to find them.
-2
In this unpredictable and thrilling racing competition, drivers from the Middle East with something to prove battle on the track for a cash prize.
1
In Cali during the '60s and '70s, two brothers juggle family, romance and the joint pursuit of a burning ambition: to rule Colombia's drug industry.
-1
Theo Von shares stories of his most memorable childhood friends, offers tips on how to effectively avoid work, and recounts the time he tried to play matchmaker in his hometown.
3
Rebellious, irreverent wunderkind Gülseren navigates loneliness, love and loss against the current of political turmoil and social change.
-3
A story of a boys' badminton team at a middle school in Haenam as they compete in a junior athletic competition. The 16 year old boys and girls in Haenam grow as people during this time.
0
Renowned musicians pull out all the stops to give a song of their choice the greatest live performance they can muster — and all in a single take.
2
A rising rap superstar spirals out when a humiliating video goes viral and pushes him into a battle for redemption — over the course of one long night.
0
Comedy icon Jim Gaffigan offers some thoughts on the hot mess that was 2021, as well as his takes on marching bands, billionaires in space and more.
1
A sect of German Christians with a charismatic, manipulative leader establishes a colony in Chile and develops into a mainstay of the dictatorship.
0
Aboard the Edens Zero, a lonely boy with the ability to control gravity embarks on an adventure to meet the fabled space goddess known as Mother.
-1
Under investigation as a suspect in her husband's murder, a wife reveals details of their thorny marriage that seem to only further blur the truth.
-4
The adventures of lion cubs, elephants, penguins, pangolins and more as they learn to cope with the ups and downs of life in the wild and try their best to reach adulthood in an unforgiving world.
-1
In the follow up to her 2016 comedy special, Lower Classy, Cristela Alonzo is back for her second Netflix comedy special, Middle Classy. With more money and a smile big enough to show off her hard earned new teeth, Cristela is living the American Dream. She hilariously shares the joys of aging in her forties, her first ever experience with a gyno, and the importance of family.
4
While trying to free her sister from Fahai's clutches, Xiao Qing winds up in a dystopian city and meets a mysterious man who can't recall his past life.
0
A mid-age hipster in Stockholm is a training freak and trains for the 90 km ski race Vasaloppet. His sister is the opposite, no job, drinks but has a daughter. Suddenly secrets reveals and promises are made.
0
A mysterious woman recounts the rise and fall of Nikodem "Nikoś" Skotarczak, one of the biggest gangsters in Poland's history. Inspired by a true story.
-3
Inside a national weather service, love proves just as difficult to predict as rain or shine for a diligent forecaster and her free-spirited co-worker.
2
In the year 2045, after an economic disaster known as the Synchronized Global Default, rapid developments in AI propelled the world to enter a state of "Sustainable War". However, the public is not aware of the threat that AI has towards the human race.  A compilation film with newly added footage.
0
A young filmmaker is in a soup right when he’s about to find his footing in the film industry. When he sets out to find an answer, turns out it’s in the past.
1
Venky and Varun Yadav are ordinary guys with ordinary lives. Their struggle is all about money. One day they hear about a wealthy industrialist in Vijayanagaram who is looking for his heir. What happens when Venky, Varun and the gang arrive at his doorsteps pretending to be his heir.
0
After his parents' divorce, Evan Goldman moves from NYC to small-town Indiana. As his 13th birthday nears, he must master the complex social circles of his new school and win friends by turning his Bar Mitzvah into the coolest party ever.
2
A priceless relic is stolen from identical royals Queen Margaret and Princess Stacy, who enlist the help of their sketchy look-alike cousin Fiona Pembroke to retrieve it.
-1
Two trainee female police officers find themselves in an endless race against time after they witness a kidnapping and decide to use their knowledge.
0
New friends, new loves and new experiences mix together inside a colorful college dormitory in Korea that's home to students from around the world.
2
In powerful images, alternating between documentary observation and staged sequences, and dense soundscapes, Luiz Bolognesi documents the Indigenous community of the Yanomami and depicts their threatened natural environment in the Amazon rainforest.
0
Jeff looks back on simpler times as he talks aging, texting and "sex education," then shares one wild story from the Blue Collar Comedy Tour.
0
1948: an Egyptian filmmaker is creating newsreel stories about a volunteer force tasked to liberate Palestinian farmers. The journey propels him towards a chance encounter with a tenacious young leader of a nearby commune that will set in motion events that will change their lives forever.
2
Deusa’s solo career puts her romance with Tadeu to the test. Eva wants a great artist to sing her lyrics. Soon, their musical dreams collide.
1
When a world champion of sport stacking is dumped by his long-time girlfriend, he has to learn basic adulting skills in order to live alone and take care of himself.
0
A French woman of African descent manages to escape after being arrested in the Dominican Republic. She finds shelter in the most dangerous district of Santo Domingo, where she is taken in by a group of children. By becoming their protégée and maternal figure, she will see her destiny change inexorably.
-1
Due to an accident, Sakura Hiraga gave up on her dream. She is now married and her husband runs a hair salon. They live in a luxurious penthouse apartment. Her life seems glamorous and she is envied by everyone. What everyone does not know is that Sakura Hiraga is abused physically and verbally by her husband. She is unable to leave her situation. Sakura Hiraga considers herself a goldfish in a fishbowl. One day, due to a goldfish, she meets a man.
0
Along the Florida coast, Allure Realty stands out among the crowd. Owned by military vet Sharelle Rosado, this all Black, all female real estate firm has its eyes set on dominating the Suncoast. These ladies are equally as fun as they are fiercely ambitious, with all of them vying to be on top of the lavish world of luxury waterfront real estate. Sharelle has big plans for her brokerage and won't let anyone or anything get in the way of making her dreams a reality.

5
Phil Wang explores race, romance, politics and his mixed British-Malaysian heritage in this special filmed at the London Palladium.
0
Live is Smile Always, Eve&Birth: The Birth at Nippon Budokan.  Performance and documentary release surrounding LiSA’s 10th anniversary show at Nippon Budokan in April 2022.
1
When her boyfriend loses a mobster's cash, Savi races against the clock to save the day if only she can break out of a curious cycle of dead ends.
-4
When immense pressure threatens a ballerina in a new lead role, she and another dancer escape into a friendship that isolates them from the real world.
2
Follows a matchmaker who believes marriage is for everyone except herself, and a successful divorce lawyer with a secret, who cross paths, and explores if opposites coexist or attract.
1
Two contemporary jazz musicians develop a stormy and tragic romance.
-2
Heartbroken that their children no longer want to spend time with them, two parents fake an inheritance to bring the family together for Christmas.
-1
When a grim incident occurs at their prestigious school, justice through law is put to a test by a tough law professor and his ambitious students.
2
From pulling off casting coups to calming celebrity egos, the drama never stops for four Mumbai talent agents hustling to save their sinking company.
1
Mili Naudiyal, a nursing graduate is planning to move to Canada. She takes up a job at a food outlet for the time being but her sudden disappearance without a clue leaves her loved ones in a desperate search for her in this survival drama.
1
The biopic charts the life of actor-turned-chief minister J. Jayalalitha and the relationship paving her rapid yet complicated path to power, who served five terms as the Chief Minister for the Indian state of Tamil Nadu.
0
A talented street dancer from Umlazi, Durban must confront her fears and deal with family objections to pursue her dancing dreams.
-2
Caitlyn Jenner's unlikely path to Olympic glory was inspirational. But her more challenging road to embracing her true self proved even more meaningful.
1
Bob Saget’s friends and family honor the late comedian during a night of laughter and music with Jim Carrey, Chris Rock, Jeff Ross, John Stamos and more.
1
Soccer player Senzo Meyiwa was a national hero before his killing shocked South Africa. Who did it, and why? This docuseries dives into the evidence.
-1
Biographical film about Italian footballer Roberto Baggio, a man who inspired entire generations to play football. A unique footballer, capable of thrilling fans all over the world.
2
In an electric stand-up special, Deon Cole ponders romance, racist hotel showers, post-coital bedtime prayers and why he loves women of a certain age.
0
A gay cop and a lesbian teacher enter a sham marriage to pacify their families but find that relationships — both real and fake — aren't all that easy.
-1
A grieving mother discovers the criminals behind her daughter's tragic death, and transforms from meek to merciless to get the real story.
-5
In Paris, two dysfunctional dealers use family ties to try to boost their small drug business in this crass comedy based on the webseries.
0
Poland, 1985: Not satisfied with the result of a murder investigation, a young officer in communist Warsaw sets out on his own to discover the truth.
0
A fascinating character. Exquisite sets. A wig for every era. The stars, creators and crew reveal how the hit series about a chess prodigy came to life.
3
After witnessing a haunting in their hospital, two doctors become dangerously obsessed with obtaining scientific proof that ghosts exist.
-1
Centaurworld follows a war horse who is transported from her embattled world to a strange land inhabited by silly, singing centaurs of all species, shapes, and sizes. Desperate to return home, she befriends a group of these magical creatures and embarks on a journey that will test her more than any battle she's ever faced before.
-3
Anime, live action and music by cutting-edge artist Eve — all weave together into this dreamlike sonic experience inspired by the story of Adam and Eve.
0
Their life as luxury escorts offered these women glamour, money and a chance to reinvent themselves…until a murder and a robbery ruined everything.
-1
The coming of age drama portray the relentless pursuit of the layman, the oppressed section of society who is in a constant struggle and fight to reclaim their unique identity and rightful place in a world meant for all.
0
A youngster who is still figuring out what his passion is gets into an engineering college where he clashes with a disciplinarian faculty.
0
Special agents Sam and Kit hop the globe with their sleuthing skills, science facts and cool gadgets to solve the animal kingdom's many mysteries.
1
With an eye for every budget, three travelers visit vacation rentals around the globe and share their expert tips and tricks in this reality series.
-1
In this reality show, six celebs strategize and sabotage to earn virtual currency they can cash in on the final day of their stay on a utopian island.
-1
A princess is thrust onto the world stage. The tabloid media is captivated by her beauty and vulnerability. The globe's most celebrated monarchy is disrupted. This is the story of the most princess woman of the modern age as she struggles to endure a spotlight brighter than any the world had ever known.
3
On Willa Ward’s twelfth birthday, she inherits a beautiful charm necklace that belonged to her mother, who was a witch.  She soon learns 2 bad witches, Wilma and Wanda are after her locket so they can have ultimate power, and she alongside her best friends Scout and Lily turn into cats to escape.
2
Rajshri wants to be a sports presenter on TV but is promptly told that she is 'too healthy' for it. Saira, a fashion designer also has hit rock bottom in her life after she is cheated on by her boyfriend. A chance encounter between the two leads them to London to discover themselves and challenge the norms of who's a 'normal woman'.
2
Polish film and music icon Kalina Jedrusik, a scandalous free-spirited sex symbol, fights for her independence in the prude society of the 1960s.
-1
When something horrible happens to the only survivor of a bloody massacre, an insecure rookie cop must overcome his fears to stop further carnage.
-5
Four women, a chef, a single mom, an heiress, and a job seeker dig into love and work, with a generous side of midlife crises, in pre-pandemic LA.
2
Finding life in all that's left behind, a trauma cleaner with Asperger's and his ex-con uncle deliver the untold stories of the departed to loved ones.
1
Two best friends band together with a group of villages to fight back against treacherous illegal loggers attempting to take away their land.
-1
In this extended cut of his 2018 special, Chris Rock takes the stage for a special filled with searing observations on fatherhood, infidelity and politics.
0
Yu Jae-seok, Lee Kwang-soo and Kim Yeon-koung travel all over Korea to learn from the best traditional masters in a bid to become the No. 1 Apprentice.
2
Julia is a mother, or rather, one of many mothers, sisters, daughters, colleagues, who have had their lives torn apart by the widespread violence in a country waging a war against its women. Julia is searching for Ger, her daughter. And in her search, she will weave through the stories and struggles of the different women she will meet.
-1
Follow Hansel and Gretel as they walk out of their own story into a winding and wickedly witty tale full of strange -and scary- surprises.
-1
It tells the story of Saro, a man seeking for greener pasture, but unfolding events and his affair with the king's wife, he encounters his untimely death and with Akala, a mystical bird believed to give and take life.
-2
In a race with time, celebrity contestants desperately try to outmaneuver black-clad Hunters in pursuit, for a chance to win a growing cash prize.
1
Jimmy Carr finds humor in the darkest of places in this stand-up special that features his dry, sardonic wit — and some jokes he calls "career enders."
-1
Determined to climb up the social ladder, Mary Saotome invests everything she has into what her elite high school values most: high stakes gambling.
1
Teddy wakes up the morning after his wedding to discover that he's jumped forward a year in his life to his first anniversary. Trapped in an endless cycle of time jumps, transported another year ahead every few minutes, he is faced with a race against time as his life crumbles around him.
-1
Ebin Mathew, a budding lawyer ambitiously joins hands with his advocate friend Madhavi Mohan, to share a new office space in order for them to start their independent careers. Their relationship gets strained when they land on opposite ends of a case.
1
A suspicious business that offers the services of a purportedly all-knowing shaman catches the attention of a tenacious police inspector.
0
A young filmmaker returns home after many years away, to write a script about his childhood, only to find his neighborhood unrecognizable and his childhood friends scattered to the wind.
0
When a clever, carefree gangster is recruited to help an overseas crime lord take down a rival, he is caught off guard by the moral dilemmas that follow.
-2
A journalist known as the maverick of news media defiantly chases the truth in this series adaptation of the hit movie of the same name.
-1
In the turbulent late Eastern Han Dynasty. Ambitious Dong Zhuo controls the court and the commonalty, and heroes from all over the country begin to rise.
1
The family Paixão runs a farm for wedding parties, but the business is not going well. While the love between the parents, Vanessa and Daniel appears to have ended, the grandparents, Luisa and Joaquim, seem inseparable; and the children, Rita and Marco, have completely distinct opinions about love.
3
The intoxicating charm of a flirtatious art school classmate pulls a reluctant love cynic into a friends-with-benefits relationship.
1
In this edgy, over-the-top, interactive trivia toon, answer correctly to help Rowdy the Cat evade Peanut the Security Pup to steal some prized paintings.
-1
A story of yakuza family from 1999 to 2019. Kenji Yamamoto's father died from using a stimulant drug. His life fell into desperation. Kenji Yamamoto then joined a crime syndicate. There, he meets the gang's boss Hiroshi Shibasaki. Hiroshi Shibasaki reaches out to Kenji Yamamoto and they developed a relationship like father and son. As time passes, Kenji Yamamoto has his own family.
-3
Rafa's hooked on the pure, fiery feelings he gets from speed racing, but when his kid's mom gets mixed up with drug dealers, he burns rubber to save her.
1
Paris, the late 1960s. Madame Claude is at the head of a flourishing business dedicated to prostitution that gives her power over both the french political and criminal worlds. But the end of her empire is closer than she thinks.
1
When the "Swap Shop" radio show shares the scoop on sweet deals, collectors of cars, comics, creepy clown statues and more listen with ears wide open.
0
For Deniz, a 16-year-old teenager, this summer is different from the others. Deniz, who goes to his family's summer house every year, falls in love with a young girl named Aslı. Trying to get closer to Aslı, Deniz realizes that a handsome young man, Burak, also likes Aslı.
2
Journalists and fans await Ma Anand Sheela as the infamous former Rajneesh commune's spokesperson returns to India after decades for an interview tour.
-1
A young private’s assignment to capture army deserters reveals the painful reality endured by each enlistee during his compulsory call of duty.
-1
Inspired by the real events that took place in the Pilibhit Tiger Reserve where people used to leave their elderly family members for tigers to prey on, and then claim compensation from the administration.
0
Wild Dog aka Vijay Varma is an NIA agent who’s brought back to field from a desk job to handle a terrorism case. Despite having a personal motive, he moves heaven and earth to ensure justice is served for the sake of the country.
-1
After turning 40, César is invited to a culinary contest in Cancún, but a bitter discovery threatens to destroy his family as well as his chances to win the competition.
0
Two proud and estranged brothers, a disputed inheritance and a past that comes back. When he hears about the passing of his father - whom he has not seen in many years - Salvo returns to his native Sicily. He intends to convince his brother Lillo to sell the family farm and save his pizzeria, which is about to go bankrupt - a secret that he has kept even from his wife and children. But things will not be easy and Salvo will have to come to terms with his choices. A bittersweet comedy about family relations and how one never stops growing up, not even at fifty.
-1
Brazil’s Fab Five use their knowledge of well-being, style, grooming, design and culture to transform everyday heroes’ lives in this uplifting series.
3
Armed with music and a message, influential hip-hop group Racionais MC's turned their street poetry into a powerful movement in Brazil and beyond.
2
In August 1988, two armed bank robbers keep German police at bay for 54 hours during a hostage-taking drama that ends in a shootout and three deaths.
-1
A comedy roast of the pop band Jonas Brothers includes sketches, songs, games, and special guests.
0
Rising star Edis's career journey with ups and downs.
0
In this comedy special, Jon Stewart, John Mulaney, Chelsea Handler and Dave Chappelle honor George Carlin, Joan Rivers, Robin Williams and Richard Pryor.
1
A young couple working are out on a drive where they meet with an accident. It leaves them in a triangle between a cop who investigates the accident and the corrupt political hegemony who are in pursuit of them.
-2
The comic takes the stage in California to make observations about gossiping, the pandemic and airport experiences.
0
A team of rapid-fire renovators takes big risks and makes painstaking plans to transform families' homes from top to bottom in just 12 hours.
0
Short films follow young adults as they navigate the gamut of emotions that come with finding romantic connection in unexpected places.
0
Book smart Célène falls for bad boy Tristan at her new Biarritz high school, unaware she's part of a cruel bet he's made with social media queen Vanessa.
-2
Four mismatched couples meet at an exclusive resort in search of new adventures to improve their relationship. All of them will do their best to find the balance with their better half, but to achieve it they will have to overcome the difficult tests that love poses.
3
Fashion assistant Maca has just about got her life together after a devastating breakup, when Leo, the man who broke her heart returns. Seeking support from best friends, Adriana and Jime, all three will learn love can be complicated.
-1
A city is populated by several clans of gangsters running various businesses in black markets. Each clan wants to be the absolute ruler, but under the reign of Big Boss who collects criminal tariffs from theme, the equilibrium among them is maintained not unlike the equity between the lawless and the lawful.  Tee, Kid, Tuek and Sim, a gang of computer-game addicteds, became menions of Big Boss. When Big Boss abruptly died, Tee is about to inform his team, but he hesitates and decides to hide this fact from the rest. So that he may play another game with his peers and satisfy Big Boss’ last wish.
-3
In the year 2524, four centuries after humans started colonizing the outer planets, retired General James Ford gets called back into service when a hostile alien fleet attacks soldiers on a remote planet. The threat against mankind soon escalates into an interstellar war as Ford and a team of elite soldiers try to stop the imminent attack before it's too late.
-3
Izo, a Ronin, and Raiden, an orc, work to bring a young elf girl and the wand she carries to the land of the elves in the north.
1
A young Irish boy named Keegan and Spanish girl named Moya journey into a magical world of the Megaloceros Giganteus who teach them to appreciate Riverdance as a celebration of life. Based on the stage show phenomenon of the same name and featuring Bill Whelan’s multi-platinum Grammy Award-winning music.
3
A desperate man attempts to burglarize the home of a wealthy woman, but finds himself face-to-face with a crew of armed robbers who have the same idea.
0
The background and career of Tony Parker, whose determination led him to become arguably the greatest French basketball player.
2
A young woman who comes from a conservative village must choose between living a lie to stay the perfect Zulu daughter, or risk her life for true love. Nosipho has a secret. She is a loving daughter held up as an example in her community, with a domineering father who has chosen a potential husband for her. But her soulmate and one true love is a woman.
0
While blind drunk, two unemployed millennials entrepreneurs drunkenly post a video pitch about their revolutionary app to a crowdfunding site. When the app catches fire and they accidentally raise millions of dollars they actually have to create the app.
-2
In this reality series, complete strangers meet and receive a diary holding the script to their very own love story. Will true romance follow?
0
When civil engineer Siddharth is arrested for a murder on the basis of a pictorial evidence, cops discover his lookalike Aditya and realize they have only 48 hours to solve the case.
-1
Op and Ed, two adorable donut-shaped animals - flummels - accidentally time-travel from 1835 to modern-day Shanghai.  There they discover traffic, trans fats, and worst of all, that flummels are now extinct. It's up to this bumbling pair to save themselves and their species...and, just maybe, change the course of history.
-1
In unusual circumstances, scientists from different countries work together to achieve a common scientific goal. Locked in their spinning space lab, they are isolated from the world — family and friends - and can only watch from the outside as life on Earth continues without them. The space station is a monument not only to the weaknesses of humanity, but also to its ability to do the impossible for the sake of life in space.
-3
The 42-year-old Alicia is a grief-stricken woman, a grief that has caused her to be estranged from society. Her world is turned upside down when a 14-year-old boy who looks after people's cars, stumbles into her house, bleeding.
-4
Diagnosed with a terminal illness, a single mother encounters a suave bachelor as she grapples with the future of her headstrong six-year-old.
-1
When a successful ad executive who's got it all figured out becomes pregnant, he's forced to confront social inequities he'd never considered before.
0
In the summer of 1982, as all of Staten Island anticipates the opening of a blockbuster boxing movie, an Italian-American family must confront its greatest challenges.
1
Dwindle is a film based on the story of Sogo and Buta, two friends who hijack a car and venture into cabbing and how their lives take a drastic turn when their path runs into assassins who have just kidnapped the state governor.
-2
An aspiring but adrift teen singer goes to live with her grandmother, once a country music legend, but has fallen on hard times after the death of her husband five years earlier. Together, they overcome adversity and find redemption through their love of music.
-2
The Loud family travel to Scotland and discover they are descendants of Scottish royalty as they move into their giant ancestral castle.
-1
A tumultuous day in the life of a mixed bag of students at a poor government school on the Cape Flats called John Shelby High.
-2
The last year High School excursion is the walk where anything can happen, but the last year High School excursion with the parents, that is the last straw. And since Álvaro Castaño knows that security is better than the police, he decides to travel with his family to watch over his daughter Sarita, however, his mother-in-law, Raquel, is not willing to allow it and also embarks in the plan . On the paradisiacal beaches of San Andrés, Álvaro Castaño will become Sara's nightmare and the sensation for the excursion, while his sexy mother-in-law of him will be the one to steal the show. El Paseo 6, the last yeat High School excursion, because the luck of the grandmother, the High School girls wish it.
3
With nowhere left to go, Will Hawkins finds himself at camp for the first time. His instinct is to run, but he finds a friend, a father figure, and even a girl who awakens his heart. Most of all, he finally finds a home.
0
Incurable romantic Lotte's life is upended when her plans for a picture-perfect wedding unravel--just as her self-absorbed sister gets engaged.
0
After her husband's death, a 60-year-old mom decides to find love again to the joy and annoyance of her two daughters. Based on a true story.
0
In 1968, Jackie Collins published her first novel The World Is Full of Married Men to remarkable success and immediate scandal. Over the next decades, Collins would go on to build an empire writing books where female agency came first. Jackie Collins’ women were unapologetic about their needs and their sexual desire, and to her devoted readers, Collins became a symbol of the effortless power that defined her heroines.
3
A budding politician has devious plans to rise in the ranks, until he suddenly develops an alter ego that interferes with his every crooked move.
-3
Ramanagara wakes up to a series of events that shocks the entire Nation. In this crisis, two individuals with two different perspectives on law and justice intervene to define the truth.
-2
Four insomniac med school students are lured into a neuroscience experiment that spirals out of control and must find a way out before it’s too late.
0
After having to quarantine together during COVID-19, a mother and daughter are forced to confront their personal obstacles and relationship tensions.
-3
Take a behind-the-scenes look at "Masters of the Universe: Revelation" as showrunner Kevin Smith and others interview the cast about their iconic roles.
2
Away from school, during the winter holidays, three stories take place while the Las Encinas students celebrate Christmas.
1
In this documentary, law enforcement faces scrutiny as Americans demand justice after police violence claims multiple Black lives in Cleveland.
0
A comedian finds new meaning in his life when his best friend asks him to be her sperm donor, and he meets a girl who connects with the cosmos.
1
Kyra Berry, a 14 year old USA gymnast arrives in Australia to try and win a scholarship at an elite Gymnastics Academy. It's a second chance but also her last.
2
An action crime comedy set in the last days of communism in Poland, a story of folk-hero thief, who escaped 29 times from cops. Naymro was living on his own terms against the system. But love and collapsing Berlin Wall changed everything.
0
Unhappy at work and in her personal life, Anita discovers a way to travel back to age 15. What will she change in her past?
0
Realizing they both have a toxic relationship to the Internet, roommates Léa and Manon decide to do the unthinkable: abandon all devices for 30 days.
-2
Magda, who long ago abandoned her career for the sake of her family, lives in Podkowa Lesna, near Warsaw. One evening, she accidentally discovers the body of a murdered woman in a park. The deceased has a W-shaped pendant around her neck - identical to the one belonging to her long-lost friend, Weronika. In the background of the murder, there are famous names of a businessman and a candidate for senator. The official investigation is conducted by commissioner Jacek Sikora, Magda's former friend, once in love with her. Since his biggest challenge so far has been bicycle thieves, the corpse in the park is far beyond him. Magda, a compulsive crime fiction reader, begins her own investigation. On the trail of the murderer and unraveling the mystery, their paths will cross many times. A handsome veterinarian will also appear on the horizon.
-3
In contemporary Poland, people from different social classes face apparently common situations that end up making them mad.
-1
Carlos DeLuna was arrested in 1993 aged 21 for the murder of Wanda Lopez, and protested his innocence until his execution, declaring that it was another Carlos who committed the crime.
-3
Inspired by the acclaimed Korean documentary My Love, Don't Cross That River, the poignant series MY LOVE documents a year in the lives of six elderly couples from around the world. Globe-trotting through Brazil, India, Japan, Korea, the U.S., and Spain, the six-part docuseries gets to the heart of long-lasting love.
6
The murder of photographer José Luis Cabezas in the summer of 1997 deeply shakes Argentina, and ends up revealing a mafia scheme in which the political and economic powers  appear to be involved.
-2
Teenagers Nikki and Sam are in love and planning their future together — until Nikki's dangerous past returns to threaten everything.
-1
Stars and creators gather to discuss "Trese," from its Filipino folklore inspirations to the comic's beginnings and its journey to an anime series.
1
In 1950s Italy, a farmer's dream of improving workers’ living conditions collapses when he falls for a landowner's daughter. Based on true events.
-1
Brazilian entrepreneurs pitch their ideas to an audience and celebrity judges. But to win R$200,000, they’ll also have to navigate tough challenges.
2
Jane Fonda and Lily Tomlin host an iconic celebration of women in comedy with stand-up sets from Cristela Alonzo, Margaret Cho, Michelle Buteau and more.
1
The murder of 13-year-old Yara Gambirasio shocks the little town of Brembate di Sopra, Italy. To bring the culprit to justice, prosecutor Letizia Ruggeri has only a bit of DNA without a database to compare it to. Based on a true story.
-3
Three well-off young men—former students at Rome’s prestigious all-boys Catholic high school San Leone Magno—brutally tortured, raped, and murdered two young women in 1975. The event, which came to be known as the Circeo massacre, shocked and captivated the country, exposing the violence and dark underbelly of the upper middle class at a moment when the traditional structures of family and religion were seen as under threat.
-5
As miscommunication and temptations abound, a couple's once-passionate marriage slowly unravels, narrated through humorous dioramas.
0
Joel Kim Booster's first Netflix comedy special, talking about the cultural nuances of being Asian as he gets older and much more.
0
In this reality series, the bickering but big-hearted Bernards manage their budget-friendly Memphis funeral home with lots of family dramedy and laughter while helping grieving families say farewell.
-1
Amandla is an anti-apartheid resistance slogan and means power. Apartheid in South Africa is still in full force when, in 1987, the two brothers Impi and Nkosana grew up on a farm as the sons of servants. The white owners are liberal people who aren't too particular about racial segregation. Black Africans have it relatively good there. Even a tender love bond develops between Impi and the blond daughter Elizabeth. But they have to be on their guard when neighboring farmers come to visit. When three racist upstart Boers arrive on the farm one day, tragic incidents occur with terrible consequences. The two Zulu boys are now on their own. Several years after surviving this childhood tragedy, the now grown brothers each find themselves on the opposing sides of the law. One is a gangster, the other is a police officer. A heinous gang crime tests their loyalty to one another.
-4
Those who still see him as an innocent teen TV correspondent are in for a surprise: French comic Panayotis Pascot is all grown up and ready to get real.
1
This two-part special features comic Russell Howard's delayed-yet-delighted return to the stage and a look at his life during an unexpected lockdown.
-1
Entrenched in a midlife crisis, Aziz seeks solace from his mundane job, lonesome friends and rowdy family while pretending to have his act together.
-2
In this harrowing docuseries, a cruel conman masquerading as a British spy manipulates and steals from his victims, leaving ruined families in his wake.
-3
Belgian pop star Angèle reflects on her life and hopes as she finds balance amid the tears, joys and loneliness of fame. Told through her own words.
1
After breaking up with her dreamboat, Marta finds love with an artist. But life throws a few twists into the mix for the ailing woman and her friends.
-2
The Action Pack teams up with Santa Claus to save the day when greedy Teddy Von Taker plots to steal all of the Christmas cheer from Hope Springs.
-2
Female celebrities gather on court to learn from seasoned coaches and train for victory as members of a newly formed amateur basketball team.
2
A healer chosen to heal an ailing country. The Spokeswoman (La Vocera), the one who carries our voices is Maria de Jesús Patricio, the first indigenous woman to aspire to the presidency in Mexico. Her journey also tells the story behind the Indigenous Government Council's fight to preserve nature and for a new way of understanding progress in the world today.
2
An exotically beautiful Sotho girl, Kedibone Manamela, chooses to live her youth on the fast lane. Veiled from her loyal childhood boyfriend's eyes, she bounces between being a good girl in the township and the 'it' girl on the high end of Johannesburg streets. A dark threat looms over the day when the news of Kedibone's escapades reaches the young man.
1
Story of Kadakkal Chandran, the Chief Minister of Kerala whose uncompromising attitude towards corruption and his dictatorial actions has gained him a lot of enemies. The events gets more intense when he faces an allegation.
-5
A shy but skilled storyteller comes to blows with his best friend who tries to take credit for his tales and win the heart of the woman they both love.
3
A renowned exorcist teams up with a rookie priest for his first day of training. As they plunge deeper into hell on earth, the lines between good and evil blur, and their own demons emerge.
-2
Introverted Girona student Nacho meets two delinquents from the city's Chinatown and gets caught up in a summer onslaught of burglaries and hold ups that will change his life.
-2
After a magical night together, Adri voluntarily turns himself into the psychiatric institution where Carla lives.
1
Shen Ruo Xin is a thirty-something professional who decides to take a stand against unfair societal expectations At her workplace she finds herself drawn  to two different  men - one  her trusted, younger assistant, the other her bachelor boss.  Knowing she is considered a 'leftover woman' weighs heavily on her.  Will  she opt to marry the man society deems appropriate, or will she listen to her heart and screw up the courage to pursue a romance with the younger man?
3
As the Kalahari Desert faces a worsening dry season, prides, packs and herds of all kinds must rely on the power of family to survive.
-1
After an accidental text message turns into a digital friendship, Vale and Alex start crushing on each other without realizing they've met in real life.
-2
The powerful and inspiring true story of the controversial human rights campaigner whose provocative acts of civil diso bedience rocked the British establishment, revolutionised attitudes to homosexuality and exposed world tyrants. As social attitudes change and history vindicates Peter's stance on gay rights, his David versus Goliath battles gradually win him status as a national treasure. The film follows Peter as he embarks on his riskiest crusade yet by seeking to disrupt the FIFA World Cup in Moscow to draw attention to the persecution of LGBT+ people in Russia and Chechnya.
1
Surrounded by family and friends, Zezé Di Camargo and daughter Wanessa spend time together and collaborate creatively in this exclusive reality series.
0
The spy game is a serious business, and throughout history, the tools and technologies developed for it have mattered as much as the spies themselves.
0
A friendship is put in jeopardy when a mutual agreement goes south
-1
Series of bucket-killing murders happening in the city. Failure to resolve by police, a team of CBI Officers under CBI officer Sethurama Iyer take up the investigation to resolve the never experienced mystery.
-3
Put on your pink rhinestone rompers for a sparkling evening of comedy cabaret with Catherine Cohen filmed at the iconic Joe’s Pub in New York City.
1
A mysterious stranger arrives in a village situated in the Thar desert and crosses paths with a veteran cop investigating a case of brutal killings.
-5
Comedian Liss Pereira gets real about relationships, adulthood and being somewhere in between — not perfect, but not so bad — in a world of extremes.
0
After Char's rebellion, Hathaway Noa leads an insurgency against Earth Federation, but meeting an enemy officer and a mysterious woman alters his fate.
-1
Welcome back to Equestria, where pony magic is everywhere. With friends Zipp, Sunny, Izzy, Pipp and Hitch leading the way, adventure is sure to follow!
3
Against all odds, a young Arelys Henao pursues her dream of a singing career in this music-packed drama inspired by the Colombian icon's early life.
0
Legendary kayaker Scott Lindgren attempts to complete an extreme, unprecedented whitewater expedition 20-years-in-the-making. When a brain tumor derails his goals, he sinks into the darkness of his own trauma only to discover that healing, like any expedition, is not a destination but a journey.
-1
It is 1940. The first transport of prisoners arrives at the newly created concentration camp Auschwitz. One of them is Tadeusz “Teddy” Pietrzykowski, pre-war boxing champion of Warsaw. The camp officers force him to fight in the ring for his and other prisoners’ lives. However, his every win strengthens the hope that Nazis are not invincible. Auschwitz officers notice the growing resistance. The confrontation with the authorities of the camp becomes inevitable.
-2
Jason Bateman, Laura Linney and other cast members open up about the show's characters and creators, plus what they'll miss most.
-1
Michael Che returns to the stage in Oakland and tackles American patriotism, Black leadership, jealous exes, loose bears, mental health and more.
-2
A divorced lawyer falls for a charismatic cardiologist. But when their difference in size leads to family friction, is she ready to listen to her heart?
1
Grammy-winning artist Sam Smith gives an intimate, soulful and chilling performance at the iconic Abbey Road Studios. This experience features songs from their third album and more.
2
Two Koothu artistes become pawns in a political power game and are falsely implicated in a drug smuggling case. For how long can they evade a determined police hunt?
-2
This silly short-film sequel to "Larva Island" and "The Larva Island Movie" follows farting friends Red and Yellow's bumbling misadventures in the city.
-1
The couple Laura and Israël have a five-year-old son, Lucas. They live together but seem to have lost interest in one another's thoughts and cares. Their relationship seems headed for the rocks, and the only one who seems to still be looking for something from life is Lucas.
-1
Rap superstar Saweetie hosts a celebration of sexual health and positivity, with help from expert educators, candid stand-ups and uninhibited puppets.
0
With the peak of his career long behind him, an actor clings to his past glory — until a sudden wake-up call forces him to face who he's become.
1
When their father's will forces them to live together, siblings Nik and Tesla — and Tesla's kids — try to overcome their differences to become a family.
0
Founded by the power couple, Ali and Sofia Khan, The Light is a training center that claims to be a self-betterment organization, focused on helping youths take charge of their life for a brighter future. But when three best friends join this organization, they soon realize that dark shadows lurk behind The Light and must find a way to escape.
1
Nutty Boy is an out-of-the-box kid with big ideas who loves involving everyone in his adventures — even though they don't usually go as planned!
1
A family faces destruction in a long-running conflict between communities that pits relatives against each other amid attacks and reprisals.
-3
A heart-thumping tale told in 24 hours that dives deep into the lives of a law enforcement agent, a young man and some rogue elements. It explores the seedy underbelly of rogue law enforcement officers and the atrocious results as they collide head on with a frustrated young man and a conflicted member of the police force. It’s a race against time in a haze of palpable tension, a powder keg tethering on the brink of imminent combustion.
-8
Snoop Dogg hosts a night of music and stand-up as he welcomes his friends — including legendary comedians Katt Williams and Mike Epps — to the stage.
2
In this special event, Oprah Winfrey sits down with actor Viola Davis for an interview about her memoir, "Finding Me."
0
A dark rainy night, an empty house, a stranded couple and an unknown man. A sleek game of the cat and the mouse starts playing on, as the three of them find a dead body in the basement.
-2
Away from school, during the winter holidays, three new stories take place while the Las Encinas students celebrate Christmas.
1
Fueled by six martinis and a sold-out crowd, comedian Chris Distefano talks getting yelled at on social media, and why he is waiting for his dad to die.
-1
Amy Tan has established herself as one of America’s most respected literary voices. Born to Chinese immigrant parents, it would be decades before the author of The Joy Luck Club would fully understand the inherited trauma rooted in the legacies of women who survived the Chinese tradition of concubinage.
1
As the community quarantine puts the nation on hold, a political science major and a student working part time as a delivery driver butt heads online – but soon find themselves falling for each other. Will their love survive once it’s taken offline?
0
Five down-on-their-luck strangers must band together to steal back winning lottery tickets worth millions from a wicked mafia boss.
-1
Upon discovering her acceptance into Julliard, Nompumelelo, a cynical South African, embezzles funds from her workplace and abandons her fiancé to live out her Broadway dream in New York City only to discover that 2017 U.S.A. is not as welcoming as she had dreamed. There she learns about true love, true happiness, and true citizenship.
1
She graduated from a prestigious high school in Warsaw and entered medicine in London. He works as a kitesurfing instructor at the seaside, thanks to which he combines earning money and passion. They will meet in Hel. The unusual charm of the boy makes the girl exceed her limits and enter a completely unknown world of kitesurfing, music and fun. The feeling that arises between them does not please her family or his friends. Is Ania and Michal's relationship strong enough to overcome adversities and become more than just a holiday love?
5
Waffen-SS officer Otto Skorzeny (1908-75) became famous for his participation in daring military actions during World War II. In 1947 he was judged and imprisoned, but he escaped less than a year later and found a safe haven in Spain, ruled with an iron hand by General Francisco Franco. What did he do during the many years he spent there?
3
Tennessee-born comedian, actor, and podcast host Nate Bargatze is back with his second hour-long Netflix original comedy special, Nate Bargatze: The Greatest Average American. Nate reflects on being part of the Oregon Trail generation, meeting his wife while working at Applebee's and the hilariously relatable moments of being a father and husband.
1
Kaaliyan is a village president in the Madurai district, who is fondly called Annaatthe. His nieces compete with each other to marry him. But, he falls in love with another woman who visits their village. Kaaliyan has a sister who gets married and shifts to Kolkata where she faces some unknown threats. Soon, her brother comes to her aid.
-1
Taking the hotel on Linsen North Road in Taiwan as the background, it is a realistic drama that describes the love and hatred between the Japanese-style hotel proprietress and Yang Jin Hua in 1988 and a group of amorous ladies under her.
1
The son of the swordsman falls in love with the daughter of Tagaga in a social paradox based on selling joy (wedding) and buying death
0
Featuring never-before-seen concert footage and narration by Jeff Bridges, this documentary explores CCR's humble origins and meteoric rise.
1
Six couples are subjected to an eye-scanning lie detector in this reality show where lies cost money, and truth and trust come with a juicy cash prize.
-1
In a "nation of middle-class" the IIT dream involves clearing the world's toughest public exam for guaranteed lifelong success. Life is not an exam though. It's a hustle, one that nobody trains them for. The result? Eternal tumult.
2
Amid tension in 1980s India, three friends of different faiths unite in a noble yet dangerous effort to save hundreds in their town.
0
A look back on the life of Nobel Peace Prize winner, Shimon Peres, who served as prime minister of Israel twice and negotiated the 1994 Israel-Jordan peace treaty.
4
A Moroccan-Dutch single thirty-something is seen as a "Meskina" (a pity-case) by her family, who desparately want to couple her.
0
A young boy who dreams of becoming a hero, stumbles across some cosmic stones of power. His dreams appear to have come true.
0
How much trouble could one imaginative boy, his faithful dog and two science-loving sisters possibly get into? Hmm, that sounds like a challenge!
2
A police brigade working in the dangerous northern neighborhoods of Marseille, where the level of crime is higher than anywhere else in France.
-2
A millionaire wants to help his spoiled children be better people, so he tricks them and pretends that the family lost the fortune on which the entitled young people had relied.
-2
After getting electrocuted by an MRI machine, an ambitious young medical student begins to hear the thoughts of others.
1
An all-star group of French comics make a joyful return to the stage as they perform at iconic clubs like Le Fridge Barbes and the Jamel Comedy Club.
2
Click through this interactive special, helping superstar Ranveer Singh and adventurer Bear Grylls brave the Serbian wilderness to find a rare flower.
2
In the not-so-distant future, genetically enhanced dogs are sent across the universe in search of a new home for the human race. It’s a giant cosmic game of fetch, as the canines seek a planet that will save humanity and - more importantly - let them return to their beloved owners.
2
While her mom is away, a teen sneaks out of the hippie commune where she lives and embarks on a life-changing adventure to discover who her father is.
-1
After a botched scam, Clóvis bumps into Lohane, his estranged foster sister. In a bind, they soon realize the only way out is to band together.
-3
The heroic kids of the Action Academy take on the bad guys with their hearts, their wits and their superpowers, and bring out the best in them.
1
An underprivileged hairdresser becomes the game changer in a local body election in a village where caste politics rules the roost. Will he be able to bring some changes to people's lives?
0
Nancy Vincenza Kulik, an Italian-American grandmother from Fort Lee, New Jersey, has experienced many challenges and triumphs. But she always meets life's journey with love, resilience and joy, inspired in part by another Italian grandmother, movie star Sophia Loren.
3
Sparks and feathers fly when a teenage Red, Chuck, Bomb and Stella spend a wild summer together with other Angry Birds at Camp Splinterwood.
-3
She was forced into prostitution. She is considered less than human. She is full of anger. Now she recounts her brutal life story to a documentary filmmaker.
-2
Wang Shicong, chairman of the famous group, died tragically at home. The prosecutor Liang Wenchao and his wife, Abang, learned during the investigation that the deceased’s long-term partner, Dr. Wan, and his ex-wife’s Son Wang Tianyou, young newlywed wife Li Yan, and even the dead ex-wife, each suspect has an intricate connection. As more clues gradually surfaced, they gradually discovered the rich. The amazing secret hidden behind the murder...
-1
Belgrano neighborhood, Buenos Aires, Argentina. Someone is watching Fernando Berlasky from one of the countless windows in front of his apartment and sending him e-mails.
0
After a nervous breakdown, Walter trades the city for the countryside. But his hopes for a calm life are shattered once he meets his loud new neighbors.
-2
Employees at a cosmetics firm grapple with their respective desires by arguing with themselves in the mirror, ahead of their company’s anniversary party.
-1
Penny and Mia are best friends, but they are not good for each other or anyone else. Leaving a path of destruction in their wake wherever they go, they say and do what they want - regardless of the consequences.
1
A group of LGBTQ+ comedians get together to celebrate a brand of queer comedy. Legends, headliners, and emerging talent all perform at The Greek Theatre for an unforgettable queer stand-up event.
1
The thrilling adventure of Chidi and Rotimi, teenagers who get a magical chance to travel back in time and change their broke parents' past.
1
In the haze of a midlife crisis, an architect begins living a double life as a punk while members of his family lead their own crisis-ridden lives.
-2
A mural painted with blood is found on the wall of Pasila train station, which depicts Finland's best-known serial killer Lasse Maasalo. The text in the mural, “Making the world a better place”, is linked to a voting circulating in social media, where people can vote for persons that world would be a better place without. Soon the first body is found and Sorjonen must find the person who has named himself as The Judge.
2
On a lonely road, a prison transport is brutally assaulted. Martin, the policeman who was driving, survives and fortifies his position while the con men search for a way to finish him.
-3
A man in his fifties, a woman in her twenties, as different as you can possibly imagine. They meet by chance. They will spend a few extremely important hours together…
1
When an unlikely ally enters the Bloom family's world in the form of an injured baby magpie they name Penguin, the bird’s arrival makes a profound difference in the struggling family’s life.
0
This documentary chronicles Diomedes Díaz's rise as one of Colombia's most iconic singers, and his downfall after being accused of killing a fan.
-2
Before he hit it big, Takeshi Kitano got his start apprenticing with comedy legend Fukami of Asakusa. But as his star rises, his mentor's declines.
-1
Roohi is set in a fictional town of North India. The film revolves around two small-town boys Bhaura and Kattanni who are stuck in a forest with Roohi. But there’s an insidious spirit following them with feet turned backwards.
-3
Popular Spanish comedians takes the stage — and pick up the phone — to honor the esteemed Miguel Gila, re-creating his most beloved stand-up performances.
3
Bruceuilis, a policeman from the countryside, is assigned to rescue Celestina, a goat considered heritage of his small city, and travels to São Paulo. There, he meets police clerk Trindade, who decides to venture out into the field, even though it is not his specialty.
0
A genius detective teams up with a colleague to investigate a case that hits close to home, but the duo becomes entangled in a cat-and-mouse game.
1
After the assault of a young woman in their seaside town, a security expert and his family get caught in a powerful riptide of secrets and lies.
-1
An immigration lawyer and a Nigerian woman caught in a ring of corruption team up to uncover the truth behind a suspicious death in a detention center.
-3
Lina moves house, looks for a new job, and tries new things in an attempt to forget her first love. Starring Nadia de Santiago and Álvaro Cervantes.
1
When a narco past his prime refuses to pay a debt to an upstart, only a secret stash of money can save his men. But guess what the gardener just found?
-2
When Nebulous Industries announces they are recruiting Rabbids for a mission to Mars, Hibernation Rabbid doesn’t think twice. As a genius Rabbid misunderstood by his stupid peers, he has always dreamed of going to the red planet. He takes off with three other Rabbids: Disco, the lively queen of the dance-floor, Cosmo, the pilot and Mini, the adorable tiny Rabbid. Facing an interplanetary space threat, our heroes will have to learn how to overcome their differences and understand that true wisdom comes from the heart!
0
Burdened by old demons, a troubled but brilliant detective sets out to solve two confounding abduction cases — one involving his own girlfriend.
-2
Stars of the fiery hit discuss the show's magic, play trivia and chow down on hot wings. Then, Taylor Tomlinson shares how she would use fairy powers.
3
On the motorbike road trip of their dreams, buddies Rain and Ro Hong-chul relax and unwind as they delight in tasty eats and scenic locales around Korea.
2
The Secret Magic Control Agency sends its two best agents, Hansel and Gretel, to fight against the witch of the Gingerbread House.
2
When there’s a power outage at a safari reserve, Bear Grylls is called and he needs your help. The situation is dire: an escaped lion is headed for a nearby village; a baboon has broken free and is going towards the sea cliffs, and the power must be restored before more animals escape.
0
While investigating the legend of the mythical Pokémon Arceus, Ash, Goh and 'Damn' uncover a plot by Team Galactic that threatens the world. Get ready to enjoy the return once again, of one of the franchises most beloved characters, in The Arceus Chronicles.
2
In August 2021, Ikuta will try the new kabuki performance for the first time joining the final season of the independent Kabuki stage series called “Idomu (Challenge)" led by kabuki actor Matsuya Onoe. Toma Ikuta and Matsuya Onoe were classmates back in their high school and have been close friends. In their high school days, the two promised that they would stand on the same stage some day. And for the final stage of Onoe’s produced Kabuki stage series, Ikuta will star as a special guest in his first ever time in the new kabuki "Akado Suzunosuke" and play the role of Tatsumaki Rainoshin. This documentary follows Ikuta's challenge to the new kabuki and his friendship with Matsuya Onoe.
2
Stars of Netflix's "Shadow and Bone" discuss the show's epic combat scenes, answer some fan questions and play an "Army vs. Crows" trivia game.
0
Monstrous creatures leap from a magical storybook and unleash mayhem and mischief for Auntie Opal and her tween niece Nina in this spooky short film.
-3
In this interactive adventure, Barbie goes on a cross-country trek with friends and makes big decisions about the future. Which dream will she choose?
0
A small-time magician with zero interest in football must lead his local team to the finals of a tournament if he wishes to marry the love of his life.
2
Accompanied by a ward, a prisoner travels to his hometown to reconnect with his daughter and make amends, but a tragic truth mars his journey.
-3
Vir Das dives deep into his childhood in India, the perils of outrage and finding his feet in the world for his fourth Netflix stand-up special.
-2
A troop of scouts arrives at Warnaffe for their big summer camp. Among them, the newest member of the Coyotes patrol, Kevin, a rebellious and lonely boy. From the first evening, he leaves to find something to smoke in the neighbouring village. There he meets Marie with whom it's love at first sight. They spend the night by a lake in a quarry. The next day, still under the influence of drugs, Kevin dives into the lake, discovers a cave, diamonds and a corpse of a young man. This is where problems started.
-4
Nicole takes the stage at the Gramercy Theatre for a HOT new set, discussing everything from how she basically is a vegan (she's just doing her part), what she's looking for in a man, and just how crazy this past year-and-a-half has been.
0
The Film is based on the infamous 'Charlie Murder Case' in the Indian State of Kerala where the main culprit Sukumara Kurup has been on the run for decades and is still not been caught. The story revolves around the perspective of Sukumara Kurup and the Police officers who were investigating the case.
-3
Four pups with superpowers team up to help their new friends and a furry alien comrade in this cuddly, cosmic adventure.
0
A woman’s Holocaust memoir takes the world by storm, but a fallout with her publisher-turned-detective reveals her story as an audacious deception created to hide a darker truth.
-4
A thriving painter's enviable life begins to fray at the edges when a bright young woman she once befriended resurfaces as a shell of her former self.
3
This is a story of a 12-year-old girl, Kanna, born as a descendant of the Gods. Her family has a mission to deliver offerings from all over Japan to the Gods' gathering in Izumo. Although Kanna's mother was to complete the mission, her passing prompted Kanna to finish the task, hoping she could reunite with her dead mother in the Gods' land at the end of her journey.
-1
In his hometown of Houston, Mo Amer takes on pandemic panic, disappointing Bradley Cooper, hummus appropriation and the subtle art of cursing in Arabic.
-2
In an irreverent but heartfelt stand-up show, Turkish comedian Cem Yılmaz shares stories about childhood, social media and Turks on holiday abroad.
1
Set in the post-pandemic period, the Cemara Family begins a new chapter in their lives. Abah gets a new job, Euis grows up to be a teenager, and Mom focuses on taking care of the youngest, Agil. While everyone was focused on their respective activities, Ara felt left out. How can this family get through this new phase of life?
0
Four Tanzanian women are unknowingly connected through their ability to persevere extreme hardships in the city of Dar-es-Salaam.
0
After failing to predict a destructive hailstorm, a famous meteorologist flees to his hometown and soon finds himself on a journey of self-discovery.
-2
Stéphane decides to move to the beautiful mountains of Cantal in order to reconnect with his 8-year-old daughter, Victoria, who has been silent since her mother's disappearance. During a walk in the forest, a shepherd gives Victoria a puppy named "Mystery" who will gradually give her a taste for life. But very quickly, Stéphane discovers that the animal is in reality a wolf… Despite the warnings and the danger of this situation, he cannot bring himself to separate his daughter from this seemingly harmless ball of hair.
0
Sparks fly when a fashion blogger in Bali meets a gifted shoemaker, leading her to question her commitment to her fiancé.
3
Kicked out of his band and home, a playful guitarist takes refuge with a bookkeeper, her son and dad. Is it possible make sweet music together?
2
Faced with real-world opportunities and challenges, a couple endures the highs and lows of trying to make a long-distance relationship survive.
0
A woman who is kidnapped and forced to compete in elite underground fights and has to battle her way out to freedom.
2
Middle-aged Joanna tries tirelessly to reconcile being a mother, daughter, grandmother, wife, lover, housewife and high-school teacher. But she seems to be losing her patience.
2
Bitter, grumpy patriarch Don Servando and his family travel to spend Christmas with Doña Alicia, a relative who becomes his "ultimate nemesis". It may be Christmas, but Don Servando is set on proving to everyone that Doña Alicia is a terrible person.
-3
An exploration of the rise of Héroes del Silencio, the seminal 1980s Spanish rock band anchored by Enrique Bunbury.
0
Arlo and his newfound crew set up shop in an abandoned seaside neighborhood and help bring it back to life.
0
Prodded by a friend request, a feckless forty-something recalls his past relationships from the 90s onward, looking for his vanished hopes and dreams.
-1
In a star-studded evening of music and memories, a community of iconic performers honor Dolly Parton as the MusiCares Person of the Year.
1
Ada Twist, a young scientist who will explore helping people through scientific discovery, collaboration and friendship.
0
When a small-town con artist joins the local mafia with his manipulative brother, his obsession with balancing his karma gets hilariously brutal.
-1
Vyshali, the assistant superintendent of police, is forcefully tasked to deal with unknown kidnapper Godse, who holds some high-profile personalities as hostages. Why did he kidnap them, what are his demands, and what does he want to achieve?
-2
A wife who feels suffocated by her husband's incessant attention hires a psychologist to make him fall in love with her so that she can separate from him.
-1
During the pandemic, actor Miguel Ángel Muñoz documents his 100-plus days living in a tiny flat with his beloved Tata, 95, who becomes an Instagram star. - Netflix.
1
A group of teenagers who aspire to be artists in music industry and strive to achieve their dreams.
1
10 year old Max and his best friend Sharkdog - half shark, half dog, all appetite. Blissfully unaware of his own strength, stealth and general sharkiness, Sharkdog often leaves a trail of chaos in his wake.
0
A couple in Québec deals with the pitfalls, pressure and high expectations of raising kids in a society obsessed with success and social media image.
1
A motley crew congregates at an upscale hotel for various reasons right after a bill is passed, allowing citizens to carry firearms. A madcap journey reveals everyone’s hidden motives.
1
A-Cheng collects debts for a gangster and doesn't skimp on violence, but he can also be merciful to those who deserve it. He has a crush on Hao-ting, the daughter of one of the debtors, but he only knows the underworld and so embarks on a clumsy and primitive courtship that includes reducing the girl's debts in exchange for pity dates. But when Hao-ting catches a glimpse of the good in him, the clouds of melodrama thicken and A-Cheng is forced to come to terms with the real nature of his work.
-5
A 33-year-old fashion marketing director at a home shopping channel company has developed a tough, prickly outer shell in order to succeed in the workplace. After multiple failed relationships, she has given up on the idea of ever finding love. A 26-year-old songwriter with a carefree spirit returns home after living abroad for seventeen years. Raised by his mother's friend and her daughter, who is now that 33-year-old fashion marketing director. But she only remembers him as the kid she was forced to play with when her mom was too busy. When these two meet again, he attempts to heal her jaded sense of romance.
3
Six of South Africa's top comedians take center stage and showcase their talent in this collection of short stand-up sets.
2
When Hilda wakes up in the body of a troll, she must use her wits and courage to get back home, become human again — and save the city of Trolberg.
1
From the stage of Vinile, in Rome, rigorously standing up alone in front of her audience, Michela Giraud tells her own truth through the strong and self-deprecating point of view that has always distinguished her.
2
After his father's passing, a teenager sets out for New York in search of his estranged mother and soon finds love and connection in unexpected places.
-1
An uncensored monologue by Dani Rovira about today's society.
0
To rekindle their marriages, best friends-turned-in-laws Shanthi and Jennifer plan a couples' getaway. But it comes with all kinds of surprises.
1
A young humanoid alligator travels to the big city in hopes of reuniting with his estranged father, meeting a colorful cast of characters along the way.
0
A rising black painter tries to break into a competitive art world while balancing an unexpected romance with an ambitious law student.
0
Diverse personal stories from around the world reveal how lives, passions and goals are facilitated by the human body's various complex systems.
0
A five-member Kerala Police have to use their best policing skills when they go to Rajasthan to nab a gang behind a jewellery shop theft.
2
The studio concert was recorded at Air Studios, the legendary recording studio in London, with the concept of performing the songs for the first time from Hikaru Utada’s brand-new album "BAD MODE", releasing on January 19. Performing the majority of songs from an album on the very day of its release will be a first for Hikaru Utada.  For this performance, Utada gathered a group of renowned musicians led by bassist Jodi Milliner, the band master for their tour in 2018. The session is recorded and mixed by sound engineer Steve Fitzmaurice, who also worked on the new album.
5
When the young founder of a collapsing cryptocurrency exchange dies unexpectedly, irate investors suspect there's more to his death than meets the eye.
-4
Comedian Whindersson Nunes brings his quirky impersonations and streetwise takes on different cultures to the historic stage of Teatro Amazonas.
0
A Nigerian woman and an Indian man won't let cultural differences get in the way of their romance.
0
Three police officers are forced to go on the run when they get tangled in the death of a youth, a few days before the election.
-2
The president of a farmers' association wants to set up a community farming initiative and takes on a big shot, who wants to destroy his plans so that he can start a bio-diesel project on the land.
-1
Bent on bringing sexual predators to justice, a strong-willed attorney and activist struggles with her own demons while trying to satisfy her desires.
-2
A Qing encounters the photographer Xiao Qi at the full moon banquet of the daughter of the big brother Ren Ge at the corner of the Beiguan. They fall in love with each other. But, sadly, they aren't able to stay together at the end.
-1
Five years later from where we left our characters, again tackling sisterhood and friendship, this time with the inclusion of a new romantic arc.
1
Sheng can tell you the best part of the worst things, starting with... the office job.

Sheng Wang makes his Netflix comedy special debut in Sheng Wang: Sweet and Juicy, marking Ali Wong’s directorial debut and filmed at the Belasco Theatre in Los Angeles. Sheng finds magic in the mundane as he discusses the upside to owning a juicer you don’t use, the secret to his posture, his heist dream team and much more
1
Two Slavic warriors do everything in their power to defend the village of Mirmiłowo from the evil order of Knaveknights.
-1
A reality series introducing Korean alcohol and food culture by Culinary Researcher Baek Jong Won. Drinks keep the conversation flowing as culinary star Baek Jong Won and celebrity guests talk life, food and booze over intoxicating meals.
2
A fender bender that turned into a kidnapping case leads documentalist Roberto Hernández to expose the truth behind Mexico's flawed justice system.
0
After his running mate's murder, a controversial televangelist becomes Argentina's presidential candidate. But nothing about him is as holy as he seems.
-1
Though claims of extraterrestrial encounters have long been dismissed, many believe the existence of UFOs is not just likely, but a certainty.
0
Three track star sisters face obstacles in life and in competition as they pursue Junior Olympic dreams in this extraordinary coming of age journey.
0
Stars of The Circle drop by to discuss Season 2's big winner, some juicy behind-the-scenes gossip and their enduring friendships with one another.
0
After being in the dating game for a while, comedian Bruna Louise has mastered the art of terrible relationships — by turning them into hilarious jokes.
-1
Jailed under a tough cop, an uneducated politician decides to spend his time studying for high school, while his scheming wife has plans of her own.
1
When her mother gets sick, 13-year-old Fen moves back to Taiwan, where she struggles to fit in amid the 2003 SARS epidemic.
-3
Aasi has been in love with Bebamma since their childhood. But it is more than her father Rayanam that threatens to form a chasm between the lovers.
2
Martin and Charly spend their time making rap music. One night they find a loaded gun on a hill, while Sol searches for her lost dog. Although apparently unrelated, these stories are intimately linked, forming a portrait of teenagers in their difficult passage to adulthood.
-2
Mexican comic Carlos Ballarta is back and this time he's using his sharp black humor to challenge cultural and religious views from Latin America.
2
To escape the wrath of the gangster whom they work for, a gang of treasure-seeking, bumbling criminals go to a hillside village, which, they don't realise is a ghost town, literally!
-2
An account of the life and work of the famous Mexican journalist Manuel Buendía (1926-84) that seeks to unravel his murder and the links between Mexican politics and drug trafficking.
0
A celebrity journalist and renowned womanizer starts to rethink his life choices after he falls for a mysterious model who leads a double life.
-1
Amalie and Mikael lead their street dance team to the finals in France but tough competition and personal distractions threaten to ruin their dreams.
-1
After most of her family is murdered in a terrorist bombing, a young woman is unknowingly lured into joining the very group that killed them.
-1
When Maurício becomes a student at a top medical school, he becomes obsessed with a mystery linked to the dead bodies used for dissection.
-1
The story follows a poor government employee who lands in a lot of trouble because of his father's profession, while he falls for a girl who tries to help him solve his problems.
-4
Amid project pitfalls and a pandemic, besties-turned-business partners bring their design magic to a rundown motel and revamp it into a go-to getaway.
1
Join the creative process behind Nacho Cano’s new musical based on the love story of Malinche and Hernán Cortés and the merging of their two worlds.
2
The world is on the verge of a devastating war with monsters who are coming to retrieve the Scaling Stone. Yin Yang Master Qingming's life is in danger and he travels to different worlds to prepare for the upcoming assaults. On his journey, Qingming finds that the key to all the calamities is embracing his hybrid identity of both human and monster.
-5
Follows Callie and Joseph one year after they fell in love, now running a dairy farm and winery, but their romance is threatened when business and family obligations call Joseph back to the city.
0
Singles from Latin America and Spain are challenged to give up sex. But here, abstinence comes with a silver lining: US$100,000.
0
Set in the 1980s, Tolani Ajao is a bank secretary in Lagos, who finds herself persuaded by her friend Rose Adamson to enter the world of drug trafficking.
0
It tells the story of a girl who failed the college entrance exam and a young man who's a free soul.  Chen Chen failed the gaokao (National College Entrance Examination) while Zheng Yu Xing had to return to school because he missed the exams. The two ended up meeting because of a lie Chen Chen said and had to come up with a way to quell the doubts of their teachers and parents. Having met in their youth, they hold hands as they face different problems growing up and forge a deep friendship.
-5
A devoted grandson's mission to reunite his ailing grandmother with her ancestral home turns into a complicated, comic cross-border affair.
-2
Three thousand years ago, the world was in turmoil and a great calamity befell both man and god. However, the dragons are not satisfied with their grudge against Nezha, and Li Yunxiang, who has the spirit of Nezha, cannot escape the fate of being killed by the dragons. With the East China Sea at stake, will Li Yunxiang be able to fight alongside Nezha's spirit and become a hero against the dragons? Will the people of East China Sea be saved?
-1
In pursuit of both success and validation, a group of tech-savvy individuals juggle intimate encounters, first impressions and romantic opportunities.
3
Lee Su-geun's rise to Korean comedy stardom went hand in hand with his mastery over picking up social cues. Now, he's ready to share his know-hows.
2
Through songs and puns, comedian Lokillo Florez hilariously reviews how Latin Americans have adjusted to a new world where no-hugging policies prevail.
0
An ex-cricketer struggling to make ends meet, wants to fulfill his child's wish of getting an Indian jersey but in the process comes face to face with his heroic past and is forced to decide if he will rise to the occasion and become a symbol of hope or continue to live a life as a loser?
-1
Two millennials get into a relationship where they are allowed to meet only on 'Tuesdays & Fridays'.
0
Help Jack and his monster-battling friends make choices to stay alive -- and have some fun -- in this interactive "Last Kids on Earth" adventure!
1
Two unusually close friends share every aspect of their lives together. As their lives evolve, their bond remains the only constant.
-1
Haruto Asakura falls in love with hairdresser Misaki Ariake and asks her out. Watching Misaki Ariake work hard to achieve what she wants, Haruto Asakura, who almost gave up his dream to become a photographer, begins to pursue his dream again, but Misaki Ariake is diagnosed with a disease that ages her 10x faster than normal.
1
Singing and dreaming together, a talented singer-songwriter and a same-aged keyboardist add harmony and love to each other's lives.
3
A careerist from Warsaw, who does not like dogs, has to go to Kraków for professional reasons, where she meets a charming widower, his son and their four-legged pet.
2
A woman who was overwhelmed by work and had no time to imagine the future. Her paralyzed life was interrupted by a live-streaming man who always has fun in life and acts wildly, resulting in a series of fermentation processes.
-1
Ms. Pat finds laughter in the absurdities of parenting, pet lovers and very unfortunate lip trends as she unpacks a painful past with humor and honesty.
0
When an aspiring author and his free-spirited sister both fall for the enigmatic paying guest at their home, ensuing events rock their traditional family.
-1
Honey and Sweet, a Filipino mother and daughter arrive in Copenhagen, uncertain of what the trip might lead to, but Sweet certainly does not trust her mother's Danish fiance, Fergus.
3
An intimate journey into the inner life of an aspiring athlete and the female weightlifting community of Alexandria. For 4 years, Zebiba goes through victories and defeats, including major losses that shape her, as she finds her way from dust to gold.
2
A baby pufferfish travels through a wondrous microworld full of fantastical creatures as he searches for a home on the Great Barrier Reef.
2
A team of animal heroes with special skills and speedy vehicles work together to keep Big Tree City safe and solve the town's trickiest problems.
4
Four shorts explore the surprising ways in which unexpected catalysts inflame the uncomfortable emotions simmering under fractured relationships.
-3
A food-blogging insurance agent encounters a friend from elementary school with a vendetta against him -- but soon becomes her sidekick.
0
A docu-film that traces the victorious ride of Mancini's Azzurri, from the debut match to the final against England. A troupe lived with the Azzurri for a month, to bring the spectators into the lives of the players and all the members of the staff, between training sessions, matches, travels and celebrations. An adventure told through the voices of the protagonists, who confided dreams, joys, pains and hopes to the cameras. "Blue Dream, the road to Wembley" is the completion of a project started a year ago together with the FIGC, to tell the national team's approach to the European Championships through the 4 episodes aired in the days immediately preceding the European Championship, bringing the new television language of the docu-series to one of the most important time slots of the first generalist network. "Blue Dream, the road to Wembley" is a project of the New Formats Development Department
3
A legendary dog trainer believes he can transform Marmaduke from an undisciplined, but lovable dog, into the first Great Dane to win the World Dog Championship.
4
After being swept off her feet by a persistent Leon, ambitious Angel must choose between true love and her dreams of a luxurious life.
4
After their partner swap experiment takes a turn, four friends arrive at a remote beach hut to face the fallout and purge themselves of deeper truths.
-1
When her estranged mother falls into a coma, a self-made single mom grapples with regret and resentment while reflecting on their strained relationship.
-6
Biopic tribute to So Wa Wai, Hong Kong's first Paralympic athlete to win gold. Even if you start at a disadvantage, you can still be first across the finish line.
1
A struggling rickshaw driver’s life takes a rollicking turn when he comes upon an expensive camera and decides to make a film with his fellow villagers.
-2
Fearless seal Quinn assembles a squad of misfit recruits to stand up to ruthless sharks with razor-sharp teeth and reclaim the open sea.
0
A starstruck girl sneaks into an actor’s house and discovers a horrifying truth about her idol.
-1
Forced to live apart due to a unique job prospect, two newlyweds face the hassles, hiccups — and hilarity — that arise from their long-distance marriage.
-1
From sharing his unique views on family, race and religion to detailing an online rift that blew up, Brazilian comedian Yuri Marçal isn't holding back.
-1
Luccas and Gi forgot about Mother's Day and now they need to find a special present. Get together with the brothers and their freaky babysitter in this new adventure!
0
Curious kid Ridley and her friends protect the Museum of Natural History’s treasures and keep its magical secret safe: Everything comes alive at night!
4
A Christmas tale, a romantic comedy and the story of a man in his 30s who learns reluctantly to get carried away by the Christmas spirit.
0
Widowed soon after marriage, a young woman grapples with an inability to grieve, quirky relatives, and a startling discovery about her late husband.
-4
In this film's adventure, a volcano erupts suddenly, suddenly awakening the Pacific Ocean floor of hundreds of volcanoes composed of the "ring of fire", this sudden event quickly turned into a global catastrophe.  The volcanic clusters that are about to erupt en masse threaten the horned whales washed ashore by the tsunami, the cap penguins living in the volcanic islands, the equipment of the small column maintenance station, the food planted by plant fish in the marine farms... Not to mention the plants and animals that live in the crater all year after year!
-2
Three little kids from Vadamalapeta want to hunt down Dawood Ibrahim and claim prize money. An investigative reporter and her sidekicks want to bring down a child trafficking nexus. How does this motley crew cross paths?
0
Activists and volunteers work through the darkest days of 2020, galvanizing social change amidst chaos as governments start to fail local communities. This epic, globally spanning and deeply passionate documentary serves as a clarion call that great change can be born of crisis.
0
A summer fling born under the Sicilian sun quickly develops into a heartbreaking love story that forces a boy and girl to grow up too quickly.
0
A mother's Christmas wish - and the grand prize that comes with it - sets off a fierce competition between her sons.
1
Lyrically gifted middle schooler Karma juggles rap dreams and rhyme schemes while using her talent, ambition and heart to solve any problem.
1
After growing up in a tumultuous household, Yura finds herself in a love triangle with two close friends as she faces a personal and financial crisis.
-1
In a futuristic-medieval world, warriors must find and defeat all the monsters on Battle Island, collecting their coveted keys in order to become 'Champion'. Cut to Kitty and Orc, two best friends on a mission to help Kitty become Champion their way through cuteness and friendship. The two embark on the journey to Championhood, facing many obstacles and naysayers only to discover a surprise waiting for them at the Ancient Ruins.
1
Ramprasad's entire family gathers under one roof for 13 days after his death, to perform and observe the Hindu traditions and rituals called the tehrvi. During the course, the family’s dynamics, politics, and insecurities come out, and then they realise that the importance of people and things are only evident in retrospect.
-1
When a debt-ridden man reluctantly agrees to drive an American tourist around India, their stark differences lead to bickering… and unexpected bonding.
-2
After the shocking suicide of a young pop star, her backup singer finds herself living a parallel life. But is her success earned, or is it being aided by occult forces?
-1
Narrated by Uncle Jack Charles and seen through the eyes of Indigenous prisoners at Victoria’s Fulham Correctional Centre, this documentary explores how art and culture can empower Australia's First Nations people to transcend their unjust cycles of imprisonment.
-2
A street dog is taken in by a young couple, and the family pit becomes an instant accomplice as he adjusts to his new, loving home.
1
Ronny shares his journey during the pandemic, race relations, cancel culture and some stories from his experiences as a comic.
0
While in Azerbaijan, Layla, an Indonesian scholar, falls for Samir, an admirer of her work — but her arranged marriage stands in the way.
1
The collection with which Neonlicious was to make her debut mysteriously disappears. Now you have to use all your creativity and improvise new designs for the big parade!
-1
With the help of the "Dragon Sin of Wrath" Meliodas and the worst rebels in history, the Seven Deadly Sins, the "Holy War", in which four races, including Humans, Goddesses, Fairies and Giants fought against the Demons, is finally over. At the cost of the "Lion Sin of Pride" Escanor's life, the Demon King was defeated and the world regained peace. After that, each of the Sins take their own path.
-5
An embittered son returns to his native village to perform the final rites of his dead father.
-1
When a crooked federal agent is involved in a human sex trafficking ring, Sniper and CIA Rookie Brandon Beckett goes rogue, teaming up with his former allies Homeland Security Agent Zero and assassin Lady Death to uncover the corrupt agent and take down the criminal organization.
-6
The filmmakers and actors behind "Money Heist" characters like Tokyo and the Professor talk about the emotional and artistic process of filming Money Heist.
1
Barbie "Malibu" Roberts and Barbie "Brooklyn" Roberts turn into mermaids to save a sea kingdom in an epic underwater adventure.
0
Curvy, curly, confident Mich knows she's fabulous. Now she just has to convince everyone else at her Xochimilco high school to believe it too.
2
Cold, white mist. Clanking pipes. And an eerie voice that's coming from the drain. Is the school bathroom... haunted? Ivy and Bean are on the case!
-3
Barbie swaps the sunny shores of Malibu for the bright lights of Broadway to attend an excusive summer performing arts program and meets…Barbie!  Fast friends, the two discover they share more than a name as they explore New York City and all the amazing things they have in common.  As they compete for the coveted once-in-a-lifetime Spotlight Solo from Times Square, the friends discover competition isn’t all about winning, it’s about striving to be your best, overcoming doubts, and sharing the spotlight.
5
Dazzling doll sisters Queen Bee and Royal Bee make their first movie with help from their fashionable friends in this one-of-a-kind magical adventure.
3
Enjoy high-sea thrills as Barbie, Chelsea and the rest of the Roberts family set sail on an adventure cruise.  "Barbie & Chelsea The Lost Birthday" tells the story of Chelsea, Barbie’s precocious youngest sister, and the rest of the Roberts family as they set sail on an adventure cruise for her seventh birthday. When they cross the International Date Line, Chelsea discovers her actual birthday has been lost and she embarks on a fantastical journey through an enchanted jungle island in order to save it.
1
Samuel attempts a big, romantic gesture at the airport in order to persuade Carla not to board her flight to London.
1
When a fashion employee thinks she will have to end her promising career after getting pregnant, her boss offers to adopt the child.
1
Falling coconuts are putting a damper on Chip and Potato's pugtastic vacation; with the help of a friendly tamarin and a new friend, they hatch a plan to get a puggy good sleep.
0
Ivy and Bean sign up for ballet, only to learn they'll be dancing in a recital in front of hundreds of people. Time to get out of it — tout suite!
-1
This colorful series leads preschoolers room to room through a fantastical dollhouse of delightful mini-worlds and irresistible kitty characters.
4
Student Tong Yao makes two vows: to never be in a relationship with someone in the same field and to make up for the Chinese League of Legends. When Tong Yao earns her spot as the first formal female player in China's professional league, she catches the attention of an elite team captain. Facing doubts and inconveniences, she meets each challenge with her own persistence and her teammates' support. After much effort, what will become of her vows? Will she stand on the world stage to make up for six years of regret? Will she avoid a romantic entanglement within the e-sports world?  Adapted from the novel You're Beautiful When You Smile by Qing Mei.
1
An ad executive and a fashion designer-blogger don't believe in love, so they place a bet to make the other fall head over heels - with unusual tactics.
-1
Rebe hosts an intimate house warming party for her friends, but the situation takes a dramatic turn with the help of drugs and unexpected visitors.
0
Now in remission, Ander is set on spending his summer helping Alexis, his chemo partner, go through treatment.
2
Nadia feels conflicted about whether or not to see her long distance boyfriend, Guzmán, when she returns to Spain for her sister's wedding.
-1
Away from school, during the winter holidays, three new stories take place while the Las Encinas students celebrate Christmas.
1
A pioneering roboticist awakens in 2025 after decades in cryosleep. To change the past and reunite with his adopted sister, he seeks a way back to 1995.
0
The Beecroft family are ready to spend all of Chief Daddy's inheritance, but not if the CEO of his company has anything to do with it.
1
Cast members of the hit Netflix show join the hosts to unpack the drama of Season 1, and Cristela Alonzo offers tips for being the new kid at school.
0
Marta may be an orphan, and she may be affected by a lethal illness, yet she is the most positive person one can meet. She wants a boy to fall for her. Not any boy - the most handsome of them all. One day, she may have found her match.
-2
The second season of beloved web series Bee and PuppyCat after a nearly five near break. The season picks back up the cheerful 22-year old Bee and intergalactic space warrior for a set of adventures.
1
Based on the real-life friendship between Anne Frank and Hannah Goslar, from Nazi-occupied Amsterdam to their harrowing reunion in a concentration camp.
0
Handy and inventive pup Tag chases adventure with her best pal, Scooch, solving problems and helping the citizens of Pawston along the way.
3
A controversial TV host and comedian who has built his career on sexist humor is forced to assume a woman's identity to elude a relentless drug dealer.
-1
Guille decides it's time to take the next step and that's how she looks to marry her sweetheart, but things get complicated and nothing goes as planned.
0
Michi is a successful consultant in Zurich. But a phone call changes everything. His father took his own life. Together with his mother and two siblings, Michi must now decide between his own career or saving the family farm.
1
Follows the adventures of Deepa and her best friend, Anoop, and how they solve the simplest of problems with the most imaginative solutions.
2
The Sharkpack gets ready for Halloween with the spooky legend of the "Fearsome Fog" — and Sharkdog must save trick-or-treating from a slimy sea monster!
-2
The Octonauts expand their exploration beyond the sea -- and onto land! With new rides and new friends, they'll protect any habitats and animals at risk.
0
A businessman brings his fiancée and her young son to a scenic resort, and quickly finds himself embroiled in a murder investigation.
-1
They were the bad boys of hockey — a team bought by a man with mob ties, run by his 17-year-old son, and with a rep for being as violent as they were good.
-1
Destined couple, Bhop and Gaysorn, have their love and beliefs challenged in the midst of savage threats during the expansion of colonial rule.
-1
Sparks fly when vivacious yet sensitive Tara collides with a reclusive charmer Bilal in this slice of life story set in vibrant and diverse London.
3
Across different eras, a poor family, an anxious developer and a fed-up landlady become tied to the same mysterious house in this animated dark comedy.
-4

0
Barbie "Malibu" Roberts and Barbie "Brooklyn" Roberts chase their dreams of musical stardom.
0
Veera, a misguided man who wants a timid, not-so-learned and subservient wife with long hair, unknowingly ends up getting married to Keerthi, an intrepid wrestler who is also more educated than him and has cropped hair. For how long can Keerthi maintain the charade and what happens when Veera comes to know the truth?
-2
Adapted from the manga Hell Dogs by Fukamachi Akio.
-1
Akira is the legendary killer known as the Fable. Following the order of his boss and due to being overworked, he lives peacefully with his partner, Yoko, as ordinary siblings. Akira still works part-time at design company Octopus with CEO Takoda and employee Misaki. CEO Takoda and Misaki are unaware of Akira's background as an assassin.  Meanwhile, Utsubo is a representative for an NPO. But, Utsubo works with contract killer Suzuki to set people up for extortion purposes. They target someone at design company Octopus.
0
Exactly one year after the release of the one man show, "Bo Burnham: Inside" (made in one room, by one person, throughout the pandemic,) comes a series of unseen outtakes, deleted scenes, alternative versions of songs, and new songs unused from the special.
0
Two brothers accompany a group of vloggers on their search for a mythical island. But when they find it, they uncover one sinister secret after another.
-1
Gripping historical footage and expert commentary give detailed insights into the leading figures and decisive turning points of World War II.
2
In a reboot of the classic TV series, a younger Thomas The Tank Engine goes on adventures with all of his friends, as they work on The Island Of Sodor.
1
In this reality competition series, 10 Gen Z participants think they're on a dream vacation - but to keep the fun going, they must find summer jobs.
1
Zamri, an ustaz with an existential crisis, has a more urgent matter on his hands when the 27 students he is in charge of one night start turning into zombies.
-3
After a life-altering event, Ola embarks on a journey of self-discovery while dealing with the challenges of raising two children and making ends meet.
0
The delightful Argentine comic Agustín Aristarán (aka Soy Rada) is back, this time putting the spotlight on family and parenting, magic and music.
2
Comedian David A. Arnold is back on Netflix with a new special, "It Ain't for the Weak!". The Show taped earlier this year at The Hanna Theater in Arnold's hometown of Cleveland, OH.
-1
Mega pop star, Fancy G, hosts a contest to find the next big solo artist. But the young contestants realize they are "better together" and secretly form a band called Honey Girls and become a huge hit cloaked in mystery.
1
A proud bath architect in ancient Rome starts randomly surfacing in present-day Japan, where he's inspired by the many bathing innovations he finds.
1
Jack - a Chinese chef-manager who is in-line to take over his family`s restaurant and Sharifah, a TV programme producer for her celebrity chef father Rahim - are crazy in love. But both their fathers are against their relationship and it all escalates in intensity until the two families challenge each other in a televised cooking competition. Jack and Sharifah must find a solution before all of that gets out of hand.
0
A cohabitation comedy about a ghost of a high school girl who has been dead for 5 years and an exorcist college boy with the ability to see and hear ghosts. What he’s discovered over the years is that he can touch them and fight them off, so when he’s in need of a part-time job and can’t find one that pays well enough, he starts putting ads online as an exorcist for hire. His ad: “Will face off with your ghosts. Chances of winning: virgin ghosts 80%, bachelor ghosts 40%, child ghosts 97%, the rest 50%.” One night he goes out on the job and faces off with a schoolgirl ghost, and during the fight, they accidentally kiss and sparks fly."
2
Count numbers,compare shapes and find patterns with baby animals Franny, Bailey, Kip, Lulu and Tilly as they use math and songs to solve problems
-1
Get hitched or call it quits? Couples put their love to the test - while shacking up with other potential matches - in a provocative reality series.
0
Ever curious Blippi sets off on comedic and fun adventures in his BlippiMobile along with his faithful sidekicks TABBS & FETCH, who help him find the answers to a burning question of the day. This animated series allows us to take Blippi places he couldn't normally go in live-actions and appeal audiences around the world.
2
Four close friends who live together in Bangalore. The friendship filled with fun and humor which quickly changes into a gripping mystery that keeps the spectators on the edge of their seats and leaves them with mixed feelings.
1
A brave zoologist, his spunky niece and anxious assistant explore the world while saving wild beasts in this adult animated educational-comedy series.
-1
This series follows the lives of Mexican show biz icons Lucía Méndez, Sylvia Pasquel, Laura Zapata and Lorena Herrera as they form a unique friendship.
0
To win the Sodor Cup, it'll take more than speed. Swift engines Kana and Thomas must use their smarts and work together to cross the finish line first.
4
Director Paolo Sorrentino returns to Naples, his hometown, and reflects on his youth in an exclusive tour of the locations of “The Hand of God”.
0
Sree Kumar, a middle-class IT employee with a conservative upbringing, is deeply in love with Sindhu Jha, his colleague at work with a broad-minded approach towards life. When Sree's parents want to see him married and actively seek a bride, he pursues Sindhu to marry, she has her eyes set on achieving her dream and prefers a live-in. Will they ever reach a common ground in this conflict of ideologies?
1
In this dramatization, the Virgin Mary works a miracle on a girl in 1623 Mexico. Four centuries later, a family make a pilgrimage for their own child.
2
A hunchbacked phone booth operator loves a blind street dancer and wants to help her regain her sight. His lookalike is a constable in love with the commissioner's daughter.
1
Trouble on the tracks! Freight Nate gets tricked into participating in a high-speed race — with all the Mighty Express cargo cars at stake!
-1
Join the StoryBots and the space travelers of the historic Inspiration4 mission as they search for answers to kids' questions about space.
0
Akhil and Pooja have a love story with a touch of comedy, where they confront their ideas of married life.
0
A retired British Chinese soldier, a young South Asian man, an encounter at Chungking Mansions.  Coincidentally, they both offended the same gang boss. What has given them a new lease of life and how do they rediscover themselves through each other’s company…
0
At age 30, French comic Kev Adams gets up close and personal about how life has changed since his big break 12 years ago — and not always for the best.
0
Two childhood sweethearts love to hate each other due to their egos. What happens when they reconcile but their families begin warring each other instead?
2
Tim Dillon rants about fast food, living in Texas, Disney adults and the reason no one should be called a hero.
1
Ajo Kawir is a fighter who fears nothing, not even death. His raging urge to fight is driven by a secret: his impotence. When he crosses paths with a tough female fighter named Iteung, Ajo gets beaten black and blue, but he also falls head over heels in love. Will Ajo’s path lead him to a happy life with Iteung, and, eventually, his own peace of mind?
1
Samuel forsakes his harsh religious upbringing to live his own life — but his soul remains caught between the world and the faith he left behind.
0
In a cozy little neighborhood coffee shop, a group of fun-loving friends get together — and get up to all kinds of adventures.
1
A political-drama where a young woman from a small village rises to power into the world of politics by breaking barriers of caste and patriarchy and overcomes the obstacles placed by her opponents to become the chief minister and work for the upliftment of backward classes.
-2
After an accident left a budding artist color blind, his best friend takes it upon herself to bring back the colors in his life and make him realize her unwavering love. But this proves to be no easy task when a potential rival enters the picture.
2
The story of a family and the various situations navigated by a husband and wife.
0
In a freewheeling stand-up performance for a packed Montreal arena, the comedian shares stories about paintball mishaps, McDonald’s misdeeds and more.
-1
Reese is a con artist from Manila who dreams of living like royalty. An opportunity arrives in the form of Princess Ulap, a runaway princess from the mysterious kingdom of Oro, who looks exactly like her. Switching places in exchange for gold, Reese flies to Ulap's kingdom where she meets Caleb, a young and determined reporter who is doing a documentary on the island of Oro. The road to happily ever after becomes bumpy when the man in search for truth begins to fall in love with the fake princess.
0
Filmed at the Walker Theatre in his hometown of Indianapolis, with an audience that includes the Mayor, the Indiana Pacers, and his criminal lawyer since 1992, Mike Epps returns for his third hour-long Netflix comedy special. Epps exclaims what he loves about Indiana, his parents’ legacy and much more.
0
A band of freedom fighters invade the trial of a white police officer who shot a Black man — and a hostage situation unfolds on screens nationwide.
0
After a cab driver is found dead, a young pub employee is framed for the murder and is sent to jail for 8 years. When he comes out on parole, a young lawyer takes up the case to prove his innocence.
-2
An homage to Italian director Sergio Corbucci of the 1960s and contemporary director Quentin Tarantino, recounting a memorable period in Italian cinema with the sensibility of today.
2
Dinda just wants to be happy, but often reality does not match expectations. But now he meets someone who makes him realize: good love is not always full of wounds. A sense of calm that is not restrained, maturity that is not excessive and still gives freedom to every childish nature.
3
Aspiring baker Strawberry Shortcake arrives in Big Apple City to get her big break — and have flan-tastic adventures with her new berry besties!
-1
A campaign against the abuse of female workers by their male bosses, which starts in early 1970s Cleveland, leads to a popular fiction film with Fonda, Parton and Tomlin.
0
Get a rare glimpse into the creative process of Academy Award-winning filmmaker Jane Campion as she shares her memories of making "The Power of the Dog."
1
Three successful influencers each coach a follower as they narrow down a field of dating prospects, hoping to trade digital likes for real-life love.
3
Beek, a 22 year-old statistics wiz, believes his Moneyball-esque skills can help rising tennis star Lois Kuzenkova win the U.S. Open.
2
From child prodigy to trailblazing captain, Indian women's cricket icon Mithali Raj navigates highs and lows of professional career. A story of a young girl's determination and stance against discrimination, about her spirit, passion, courage, and her dreams.
2
As big city life buzzes around them, lonely souls discover surprising sources of connection and companionship in three tales of love, loss and longing.
-2
Comedian Ryuji Akiyama satirizes top "creators" in Japan with a deadpan, unerring eye for humor, with help from some surprising celebrity guest stars.
2
Three women with totally different lives accidentally get their souls switched as they struggle with the comedic misadventures of their new worlds, they realize that their own lives and families are worth loving and living for. Jolene, a famous person who always has fans in public, Mylene - an overprotected lady who always gets pleasure and love and Karlene - a rich famous social media influencer all switch bodies but their lives did not just change, but their souls switched that leaves them with no choice but to stick together to live the peculiar lives of each other. Karlene then has to convince a group of investors to invest in her near-bankrupt hotel, but no one believes her because she is trapped in Mylene’s body. In the process of all of their imaginative scenarios, they drew closer to each other into becoming the soul sisters they are destined to be.
5
Mexican comedian Alan Saldaña is back, poking gentle fun at himself and parceling advice, especially about how to stay married and how to be parents.
2
Adel (Ahmed Ezz) is a middle-aged man, raised by his strict grandfather who he was deeply inspired by. Set in the 1970's, he met his first love, Nadia, (Menna Shalaby) who later became his wife and the mother of his son. After this, a chain of events lead to Adel committing many crimes, which are investigated by Amgad Al Husseiny (Maged el kedwany) and later in the movie, a series of surprises are revealed.
0
We lead our lives in ways where we do not think much before doing something, which may or may not have a huge impact on other people. How our small actions can create big ripples in someone else`s life is the idea on which the film is based.
1
Maryam and Nasser are set to travel from Riyadh to attend their father’s wedding in Abu Dhabi, until the flight is cancelled. Undaunted, they decide to make the journey by car instead. Their time together will mend a relationship that has frayed since their mother’s death as they share their feelings about their overbearing father––but, they underestimate the many hazards of the desert road, including an angry stranger whose terrifying pursuit has the brother and sister driving for their lives.
-6
Arivu travels to attend his brother's wedding, only to discover that it has been cancelled. However, trouble ensues when he falls for a woman who turns out to the one who was engaged to his brother.
-2
A lazy slacker struggles to get along with his diligent sister-in-law - until they must step up and fight together against a common enemy.
-2
A man takes on the job of caring for a little girl, the daughter he left behind years ago.
0
The holidays are coming to Heartlake City, and the LEGO Friends are full of holiday cheer. But can the group stick together after Andrea ditches Mia's holiday shopping plans?
1
Once famous for his quick blade, a retired assassin can no longer earn a living with his cut-throat skills. Summoned again, he partners with his chauffeur to carry out special missions – fullfilling the wishes of old people looking to kill themselves. When commissioned by a young girl who has been deserted by her parents and lover, the “Elderly’s Angel” squad finds an arresting way to complete its task.
2
When his son is diagnosed with sickle cell disease, a man and his family struggle to face a new reality as they rediscover their shared love.
0
Earthquake shakes up the stage with his takes on "health is wealth," prostate exams and one particularly lengthy celebrity funeral.
-2
Karthik is an aspiring YouTuber, who wants to be famous and his friend Adaikalam aspires to be a politician. Karthik falls in love with Yamuna, his new Malayali neighbour but Jamuna, sister of his love interest falls in love with Karthik.
2
Rising culinary talents battle Brazil’s best chefs to be named Iron Legend in this exhilarating competition hosted by Fernanda Souza and Andressa Cabral.
3
Four of Colombia's funniest and bawdiest comedians perform before a post-quarantine audience hungry for their stories.
0
The story follows a young man and woman who go through various situations in their journey to find the right partner, which raises questions about traditional marriage and marriage based on love.
2
Aditya Sharma and Neha Kasliwal are in a relationship which finds itself challenged one night when they’re out on a date and get harassed in the dead of the night by two men posing as policemen. Will the night change the course of their relationship?
-2
Join Johnny and Dukey on an epic interactive quest to find the perfect meatloaf - and save themselves from eating Dad's gross "garbage loaf" for dinner.
-1
After falling for Geez, a heartthrob at school, Ann must confront family opposition, heartache, and deception as their romance struggles.
-5
A flower seller's son ends up in a tussle with a ruthless rowdy in Dindigul, forcing him to become a policeman and fight the odds.
-1
Sudhir, blind by birth, lives alone with his housemaid Bhavani. While Bhavani is out, he takes in Ali to help around the house. Both Bhavani and Ali grow envious of each other. Nazar Andaaz is a comedic yet heartfelt story of these three.
1
After a string of life-changing revelations, a beloved parking attendant pieces a new plan together and chases her dream of traveling the world.
2
Naai Sekar, who decides to make money by kidnapping dogs, learns about his pet dog which was taken away from their family during his childhood. Can he rescue his dog, which is considered as a lucky charm?
2
Coping with heartbreak, the shy owner of floundering cafe find solace in the Javanese love songs of Didi Kempot.
1
Luccas and Gi are heading to a world famous gymkhana camp. Only problem: so are their bullies... A fun musical that will get you in a vacation mood.
0
From pregnancy to album preparations, Lebanese singer and “Queen of the Stage” Myriam Fares documents her experiences with her family while in lockdown.
0
Comedian Paul Virzi takes the stage to spill on awkward drugstore runs, his obsession with crime shows and why his wife sabotaged his fitness goals.
-1
Mo Gilligan breaks down his days as a broke teenager, working in retail, relationship dynamics, annoying talk show producers and more in this special.
-2
Sam Morril delivers his trademark dry and dark punchlines in a stand-up set ranging from problematic fairy tales to biting social commentary.
-3
After Birgit Meier vanishes in 1989, police missteps plague the case for years. But her brother never wavers in his tireless quest to find the truth.
-1
A group of teens must confront their deepest fears to save one another from a creature hunting them in their sleep, after trying an experimental dreaming drug.
-2
Two men in Vizag are steadfast friends since years but what happens when one of them is forced out of the city and the other takes the responsibility of his mistakes.
0
Raju a small time thief breaks into a customized car. As an unexpected scenario, the doors do not open and the control panel does not respond and will be trapped in it. He is in a bind as a series of unanticipated twists and turns change his life forever.
-4
Summersette's biggest baddies join forces on New Year’s Eve to battle Zoey and the Beam Team. But cool cousin Zara powers up to help save the day!
1
A corporate behemoth hires a ruthless hit man to find out the identity of a whistleblower in the organization. Who wins in the end - the hunter or the hunted?
0
The energetic and fun Blippi brings all his previous adventures and lessons on stage that'll make everyone sing and dance along.
2
From road rage to couples fighting during the pandemic, comic Ricardo Quevedo examines the absurdity of the situations that try our patience.
-1
Nagy, a quiet dreamer, embarks on a surprising journey discovering life, love, and human relationships when an unplanned encounter with Salma prompts him to go on an adventure and escape from his family problems.
2
A young boy seeks to master the game of snooker to defend his father’s legacy after a humiliating loss. But first, he’ll need help from a hardened pro.
-2
Thampan and Antony are a long time best friends and business partners who owned a saw mill at Kattappana in the past. A family tragedy and its falling-out separates them for good. But now Antony and his family faces a grievous situation, and he is forced to ask his old friend for a help out. The timeline of the story spans over two generations
0
Australia’s wild and rugged Northern Territory is home to more than 150,000 crocodiles and one man is on a quest to protect them all. Wild Territory takes you inside the mission as legendary croc wrangler Matt Wright catches and relocates the biggest crocodiles on Earth to keep people and crocs safe.
1
While preparing for the most romantic day of the year, four hairdressers at a Lagos salon face wild dramas in their love lives and their families.
1
Jokes and improv take center stage as comedian girl group Celeb Five brainstorms material for a comedy special in this behind-the-scenes mockumentary.
-1
Haddad the Egyptian captain returns home after a journey of exile for more than fifty years to search for the remnants of adolescence and face many dramatic lines and people who are different in character in an exciting intertwining of human relations between all
0
South African comedian Loyiso Gola serves up filter-free humor as he riffs about race, identity, politics, and a school prank gone embarrassingly wrong!
-1
A Chickasaw man survives great hardships and tragedy to establish a vast ranching empire along the famous cattle highway of the American West.
0
Stories Of A Generation narrates the values of life: from love to pain, from work to dreams. 18 generational stories are enriched with the participation of Pope Francis and Martin Scorsese.
1
This documentary follows King Gnu frontman Daiki Tsuneta as he works with his musical collective millennium parade on their genre melding track "2992".
1
It revolves around the story of four people a streamer, a student, a breadwinner, and a heartthrob who will explore love and friendships online to escape their realities offline.
1
Krishna falls for Vrinda and tells a white lie at home to ensure they’re married. But what happens when it leads to unnecessary misunderstandings?
-3
After the devastating death of his girlfriend, singer-songwriter, Louw, flees the city and retreats to the tranquility of his family's farm, to make sense of his loss. He rekindles his friendship with an ex-girlfriend and befriends an abused and troubled teenager. By taking the teenager under his wing, Louw finds new focus and the strength to carry on.
-6
Quan, a gardener with an outstanding talent for "killing girls", suddenly one day had to shoulder the "falling debt" from his ex-girlfriend. With the help of Tam Manh's "three effective seven parts, seven troubles", Quan gradually lost all hope of finding the baby's mother and gradually became the perfect father in Baby Rabbit's eyes. The colorful lives and laughter of father and son are put to great test when the mother that Baby Rabbit has been waiting for day and night finally appears...
1
Trapped revolves around a number of women from different walks of life whose destinies are tied together; being all under one siege. As the events unfold, their own personal stories reflect on a far bigger siege that depicts the shackles imposed by a patriarchal society.
-2
“Mommy Issues” revolves around Ella (Pokwang), a hardworking single mother who has devoted her life for her only daughter Katya (Sue). Her zealousness to protect her daughter leads to conflict but thanks to grandmother Fenny (Gloria Diaz), they blow over because of the quirky and fun ways she helps bridge the gap between her loved ones.
0
The story follows a mother's relationship with her children in light of holding an important position, which leads her facing a lot of situations with her family.
2
A married couple stages their divorce in order to encourage their estranged adult children to return to their hometown.
0
When an international business merger is assigned to a rude and condescending senior executive, a curse that affects his ability to speak properly is cast on him by an office cleaner.
-1
Throughout his impressive acting career, Haldun Dormen inspired and encouraged his theater students to work hard and follow their dreams.
1
The comedic dream team from "The Upshaws" discuss the hit series, share some anecdotes from their own upbringings and play a little swag-centric game.
0
Poththaari is a previous kabaddi player. He has two spouses. The family lives respectively joyfully. Despite the fact that one has numerous beneficiaries with one of his spouses and only one with the other, the properties ought to be parted similarly according to the law.
2
Abhay, a software employee, has mono-phobia since his childhood, falls in love with Vaishali. He also fears to tell her about his phobia as she may not understand him. A night where he has to spend alone leads to many problems.
-2
A man from Nigeria returns to his family in Canada and discovers that Western culture has changed his children in ways that he does not approve.
1
In 2018, the headquarters of the Mobile Brigade Command Headquarters in Kelapa Dua, Depok was attacked by terrorists who tried to break into the detention center and killed 5 members of Densus 88.
-2
A studious teen who wants a simple life is conned by his violent older brothers into joining their grandiose plan to avenge their murdered father.
-2
Actor Jaaved Jaafferi brings his signature humor to this Hindi dubbing of the show where teams creatively navigate rooms flooded with make-believe lava.
1
Whether he's making a grand entrance, sharing personal stories or bringing a host of quirky characters to life, Rodrigo Sant'Anna lights up the stage.
1
Four stories take place in a furnished apartment that we follow through the doorman and his family who live on top of the building in a miserable room. In the first story, a doctor tries to treat a figure with a political position. In the second story, Hassan meets in the 1970s with his old friend Nadim, who comes from Lebanon during its Civil War. The third story takes place at the beginning of the new millennium and the takeover of businessmen. As for the fourth story, it takes place before January 2011 when Sami returns under pressure from his family to sell the apartment and the whole building.
0
In Our Mothers' Gardens celebrates the strength and resiliency of Black women and Black families through the complex, and often times humorous, relationship between mothers and daughters.
0
In the Faroe Islands, a married woman meets a reporter filming a documentary on overseas Filipino workers, which soon sparks a complicated love story.
0
A young meek boy, Manzini is bullied by three boys on his way back from school in an incident that almost costs him his life. Manzini confesses to his Gogo his desire to quit school. His Gogo narrates a profound tale of resilience evoking the coming-of-age story of a great warrior and King, Shaka Zulu to inspire her grandson through the strength of his lineage.
3
A partially mute man dreams of performing on stage in dramas but often keeps falling in trouble with the villagers due to his eccentric ways. By contrast, his son is a responsible man who dreams of climbing up the ladder and making something of his life. The film explores how the clash of personalities results in problems down the road for this father-son duo.
-5
Jilted by his wife, a man with OCD finds eye opening common ground and camaraderie with his neighbor, a young man with Down Syndrome.
-1
Filmed before he was forced to leave Damascus, Waref Abu Quba pays homage to the ancient city with poetic observations of Mahmoud Darwish.
2
The story follows a young man who gets to know a girl and causes her many problems. But when he's exposed to an accident, his life takes a drastic turn.
-2
A girl who is scared of dogs gets a puppy, which helps her overcome her fear, and teaches her about life and loss.
-3
A young man's weakness for women lands him in trouble when he is caught in a bizarre love triangle with witches.
-2
In search of a better life as a boxer, Ani leaves his family in Nigeria for New York. After years of turmoil, he returns to find his old life changed.
0
Gede Robi, vocalist of Navicula, Tiza Mafira, lawyer from Jakarta & Prigi Arisandi, biologist & river guard from East Java in tracing plastic waste whose tracks have infiltrated the food chain & its impact on human health.
-1
A sensitive and manipulated video clip is circulated amongst the co-workers of the factory where the couple work, which unleashes unexpected emotional, social and marital imbalances in their relationship.
0
From the liquid courage behind his tweets to the sobering realities of making it in Mumbai, Kapil's pouring his heart out — with a heavy glug of humor.
1
Ajoke, a local Spiritualist, makes a bogus prediction about a football match which sets off a chain of events that escalate beyond her control. With her life threatened by several aggrieved parties, she enlists the help of her twin sister to save her.
-2
With the cast and creator as your guides, explore the world of Elves, Dwarves, Mages and Witchers with behind-the-scenes footage, interviews and more.
0
A beautiful love story that can happen between two people regardless of their age gaps.
2
When a ballroom dancer’s shot at a crucial tournament is jeopardized, a street dancer must face his own painful past and step up as her new partner.
-1
In this featurette, ART + COM members join the cast and crew of the show to discuss its factual basis and the development of the court case.
0
Going back to his hometown of Crawley, England, Romesh Ranganathan will talk about vegan-ism, his kids - and offers a peek into the making of his comedy special.
0
A man sets out to propose to his Girlfriend over dinner just as his ex-girlfriend unexpectedly shows up.
-1
On the eve of his wedding, a young man must deal with the trouble caused by an unexpected guest — his bride's former brother-in-law.
-2
A woman who can reluctantly communicate with ghosts tries to help the spirit of a woman whose body is in a coma, leaving her trapped between life and death.
-3

0
An unapologetic and daring writer tells his stories to his roommates and it takes interesting turns.
2
Manila-based real estate broker Dee returns to Bulusan, Sorsogon, for her grandmother Dulce’s 80th birthday. She re-acquaints with past schoolmate Edong, a seemingly unambitious and simple-minded coconut farmer. While starting at the wrong foot, they soon get to know each other more. Their mutual admiration gradually turns into love.
1
After discovering her fiancee's secret, a woman finds herself at a crossroads between a shallow marriage and the return to the chaotic world of dating.
-2
Thai stand-up comedian Udom Taephanich returns to center stage, bemoaning everything from prostate exams to funerals — all with his signature wit.
-1
Refreshing and flavorful, naengmyeon is Korea’s coolest summertime staple. A journey through its history begins, from how it’s cooked to how it’s loved.
3
Mona, a failed writer, carves out a life of isolation while caring for her ailing Sikh father but when he has a debilitating stroke her three successful siblings show up on her doorstep determined to take control of the situation.
-3
Back in 1990s, an aspiring IAS starts a rebellion against the caste-based reservation.
0
Uncle Naji seeks assistance from his Grandfather who lives in Yemen, to support him in getting rid of the daemons in his restaurant, meanwhile, his Grandfather brought with him an artifact willing to sell them in the UAE to help Naji, but he got in trouble with a gang who was looking for Naji's friend Ahmed.
1
The residents of Gokuldham Society encounter several adventures and misadventures as they navigate the ups and downs of life and overcome their struggles together.
-1
Kirmada, gets powerful by taking power of Shaitan, plans vengeance & tries to put troubles in Bheem and his friend's journey. However they manage to reach but things take a turn when the evil troops arrive and attack Bheem and his friends.
-3
A gang kidnapped Five children and demanding a hefty ransom, while parents turn to the police, grandmothers set a mission to save them themselves.
-1
An irresponsible young man in conflict with his mother wakes up one day and to his surprise, no-one he knows can recognize him, except for a local bread hawker.
-2
Ayinla is a musical eponymous film based on the life of Ayinla Yusuf popularly known as Ayinla Omowura, an Apala musician who was stabbed to death by his manager named Bayewu in a bar fight on May 6, 1980 at Abeokuta.
-1
Relocating to the vibrant city of Lagos, two troublesome brothers search for social media fame after crossing paths with a powerful influencer.
2
A series of murders and kidnappings occur by an unknown killer, and the police begin to search for him, and when a young journalist discovers that the killer has been influenced by the well-known character (The Hunchback of Notre Dame), he disguises himself as a similar person and calls himself (Ahmed Notre Dame), and agrees with a girl to kidnap her in order to attract His killer, who already begins to search for him and communicate with him.
-4
In 14th-century Mali, an ambitious young royal named Mansa Musa ascended the throne of the richest kingdom in human history. This follows Malian artist Abdou Ouologuem on a journey to discover the truth behind the legendary African king.
2
A group of travellers on a bus journey home for Christmas find themselves entangled in a cat-and-mouse game with dangerous criminals.
-2
Three college slackers fake a friend's kidnapping to help her escape her strict father. The plan works... until it meets a stranger-than-fiction reality.
-1
Oga Bolaji is a story that is centered around the simple happy go lucky life of a 40-year-old retired musician "Gold Ikponmosa". His life takes a drastic turn when he crosses paths with a young girl. Perhaps it leads to the worst or best part of his life. Oga Bolaji showcases the resilient, ingenuity of the Nigerian spirit. The way we live, our pain, our limitations, yet we continue to strive, we continue to hope and we continue to dream.
3
In this Spanish adaptation of "Magic for Humans," folks of all ages on the streets of Barcelona are amazed by tricks that inspire delight and wonder.
4
65-year-old Ganeshan has completely lost the zest for life after his wife's passing. But the news of his 7-year-old grandson Aadith's visit to India gives him a new lease of life. When all attempts to bond with the superhero fanatic Aadith fail, Ganeshan and his retired friends join in the madness of pretending to be a superhero league. The idea works like a charm. Little Aadith's excitement knows no bounds when he witnesses a secret meeting of this 'league'. Ganeshan is elated to receive his grandson's genuine affection for the first time. But the happiness is short-lived. The very next day a small girl gets kidnapped from their apartment complex. As the police start a preliminary investigation, Aadith turns to his grandfather with a glint of excitement in his eyes. He knows, just like any superhero, his 'thaatha' will solve the case in no time. Left with no choice, the old man turns to his ageing cronies. And thus, with aching knees, weak eyesights and greying hairlines, this League of Super (senior) Heroes is set upon their first mission.
5
In this playfully provocative set, French comedian Haroun examines modern society - and wonders if humans have stopped evolving.
2
The grouchy Makhichoos, whoe hates Diwali, is digging furiously in the Dholakpur forest searching for a demon.  Soon the demon emerges from the roots of a tree.  Both the evil witch and Makhichoos plan to build a new kingdom on the eve of Diwali and teach Bheem a lesson.  While Bheem and his friends are preparing for the celebrations, Chhota Hanuman also comes there to be a part of the festival.  But something worse happens; Makhichoos and the evil witch kidnap princess Indumati.  Will Bheem and Hanuman together rescue Indumati and triumph over the evil.
-7
Known for their quirky skits, comedy duo JaruJaru star in this film about the hilarious occurrences that happen along a food delivery man's route.
1
The filmmaker goes to discover Meir the village where her great-grandparents were born, the place her grandparents left, but continued to love. When she goes, she discovers a village that people are trying to leave.
1
Kondapolam tells the story of Nallamala forest-based shepherds who are responsible for protecting their sheep from the dangerous attacks of the predators and the red sanders of the region.
-2
A Kuwaiti superhero who fights the forces of evil with the help of his scientist friend.
-1
Based on the successful social series, “Al Maht” revolves around a struggling high school graduate in choosing his destiny.
1
The kids are excited, as they have all planned a trip to the Neeli Pahadi right on the borders of Dholakpur. The Neeli Pahadi has always been an uneasy reality of Dholakpur with rumours of ghostly inhabitants and a mysterious past which goes back right to the days when the kingdom of Dholakpur was established.
1
To the beat of his avant-garde and eclectic rhythms, Brazilian rapper Emicida performs hits from his album AmarElo at the São Paulo Municipal Theater.
0
Midah, Rohayu and Ani, 3 widows from a kampung deep in a plantation, are all diehard fans of Aiman Zalini. When the singer’s last concert is announced, the three ladies try and do everything they can to raise the money. But they fail. Never one to give up, they resort to trying their hand at the most outlandish thing possible (spurred on by the overnight financial success of one local loafer) – creating an additive-free/all natural/non-tobacco vape juice business!  Their vape formula (concocted with the help of a simpleton lab assistant) is an accidental success and they make enough for the concert ticket prices! However, unbeknownst to them – their viral and all-natural vape juice has turned many a drug addicts sober and this is causing a demand issue for the drug cartel bosses. This in turn starts a zany and hilarious chain of events that will change their lives forever.
-1
Lusala, adopted by an affluent Nairobi family a decade ago is imposed on to leave home and start on his own. Eager and willing at first, he makes the most of his life, until the demons from his past return, and he faces them on his own.
2
One fateful night, an encounter at a police checkpoint manned by two drunk Officers sets off a chain of events that turns Brume and Najite's blissful lives upside down and leads them on a journey of greed, deception and murder.
-3
A tiny startup, run by two teenage boys and a newly arrived, supremely psychically gifted girl, a renegade trio destined to unravel a mystery that will change the course of history.
0
Shocking tragedies shatter a tight-knit South Carolina community and expose the horrifying secrets of its most powerful family.
-3
When best friends and total opposites Debbie and Peter swap homes for a week, they get a peek into each other's lives that could open the door to love.
2
A master thief and his crew attempt an epic and elaborate heist worth $7 billion dollars — but betrayal, greed and other threats undermine their plans.
-2
Hello, Wisconsin! It's 1995 and Leia Forman, daughter of Eric and Donna, is visiting her grandparents for the summer where she bonds with a new generation of Point Place kids under the watchful eye of Kitty and the stern glare of Red. Sex, drugs and rock 'n roll never dies, it just changes clothes.
-2
Follows a new couple and their families, who find themselves examining modern love and family dynamics amidst clashing cultures, societal expectations and generational differences.
3
In this fierce fitness competition, one hundred contestants in top physical shape compete to claim the honor of best body.
2
In late 19th-century Turin, the young Lidia Poët, fights against everything and everyone to get what is rightfully hers: to be enrolled in the official register of lawyers. A profession, at the time, reserved exclusively for men. Nevertheless, nothing could stop her dream of becoming the first female lawyer in Italy.
1
After learning she was separated at birth from her two identical sisters, Rebecca embarks on a perilous journey to uncover the truth about her origins.
-1
On an icy mining planet (aka a prison world) mysterious disappearances point to deadly secrets hidden within the mines.
-3
A Black woman's meticulously crafted life of privilege starts to unravel when two strangers show up in her quaint suburban town.
1
An astronaut's return after a 30-year disappearance rekindles a lost love and sparks interest from a corporation determined to learn why he hasn't aged.
0
The most famously single stars of Netflix’s unscripted series are brought to a tropical paradise in an attempt to find love. As they compete to form relationships, the most compatible couples will play matchmaker, breaking up other couples and sending them on dates with brand-new singles they’ll invite to the villa. Will they create better matches, or will they create chaos? In this over-the-top journey of strategy and dating hosted by Nick Lachey, only one couple will be crowned the Perfect Match.
5
Chris Rock makes comedy history as he performs stand-up in real time for Netflix’s first global live-streaming event.
0
This docuseries follows the rise and fall of financier Bernie Madoff, who orchestrated one of the biggest Ponzi schemes in Wall Street history.
-1
During the Cavalcade of the Magi parade, the Martín family's daughter Amaya disappears. Journalist Miren takes on the case, determined to find her.
0
A gruesome serial killer is terrorizing London while brilliant but disgraced detective John Luther sits behind bars. Haunted by his failure to capture the cyber psychopath who now taunts him, Luther decides to break out of prison to finish the job by any means necessary.
-6
In her own words, through personal video and diaries, Pamela Anderson shares the story of her rise to fame, rocky romances and infamous sex tape scandal.
-2
On an uninhabitable 22nd-century Earth, the outcome of a civil war hinges on cloning the brain of an elite soldier to create a robot mercenary.
1
A young heroine, Miu, who travels through Copenhagen's criminal netherworld.
0
When the tenacious young sailor Jessica Watson sets out to be the youngest person to sail solo, nonstop and unassisted around the world, many expect her to fail. With the support of her sailing coach and mentor Ben Bryant and her parents, Jessica is determined to accomplish what was thought to be impossible, navigating some of the world’s most challenging stretches of ocean over the course of 210 days.
0
Equal parts brains and blagging, this quiz show expects and encourages contestants to cheat their way to a cash prize. The one rule? Don't get caught.
0
The members of a diverse vigilante group formed to boost the police's image are put in jeopardy when they stumble upon an unexpected drug deal.
-2
A girl in search of her true reflection in a divided Naples: the Naples of the heights, which assumes a mask of refinement, and the Naples of the depths, a place of excess and vulgarity.
1
A mother with a heart of gold navigates the cutthroat world of private education when her daughter tries to join a celebrity math instructor's class.
0
In this fantasy drama series, a lonely young woman finds her soul mate and discovers they are both part of an ancient legend.
-1
A woman’s life is turned upside-down when a dangerous man gets a hold of her lost cell phone and uses it to track her every move.
-2
Two inseparable friends move to Kyoto to chase their dreams of becoming maiko, but decide to pursue different passions while living under the same roof.
1
A group of friends may or may not have unleashed a deadly curse, starting a new adventure.
-2
Year 2003, Irene a young film student who is preparing a short film. To star in it, she meets Julio, with whom she quickly falls in love. But time and life take them down other paths, extending to the present.
0
This shocking documentary chronicles a happy-go-lucky nomad's ascent to viral stardom and the steep downward spiral that resulted in his imprisonment.
-3
The story of Javier who, at the age of 16, while kissing a girl for the first time, realized that he had a gift of romantic clairvoyance. Javier can see the future... and he finally knows who the love of his life is.
2
A talented, voyeuristic hacker finds herself thrust into a dangerous investigation after her sex worker neighbor leaves for a weekend trip.
0
An intergalactic bounty hunter takes dad duty to new extremes when his two kids accidentally hitch a ride with him to outer space and crash his mission.
-1
Winningest NBA champion and civil rights icon Bill Russell builds a larger-than-life legacy on and off the court in this 2-part biographical documentary.
2
No topic is off limits for Jim Jefferies as he muses on stoned koalas, his dad’s vasectomy confusion and choosing between his hair and his sex drive.
-2
Ten gorgeous singles meet in a tropical paradise. Little do they know that to win the EUR200,000 prize, they'll have to completely give up sex.
4
Based on the true story of a father and son who repair their fractured relationship during a forced hike of the Appalachian trail to find their beloved lost dog.
0
Zeynep Altin (Naomi Krauss) is at the end of her tether. She’s over-worked and pushed around by her husband, daughter and aging father. Her mother’s death and her funeral, which nearly ends in total disaster, is the last straw for Zeynep – she leaves Munich and escapes to an island in Croatia. In the house her mother bought secretly years ago, and gifted to her in her will, she hopes to find peace, freedom and herself. If only the former owner, Josip, an islander through and through, wasn’t still living on the same property…
1
Difficult yet resilient journey of two parents - Neelam and Shekhar Krishnamoorthy, trying to seek justice over the last two decades.
0
Two detectives are called to a small mining town in the Asturian mountains where a young woman who had been left for dead for months has suddenly appeared, leaving the detectives to question what dark forces are at work.
-1
Stuck in a passionless marriage, a journalist must choose between her distant but loving husband and a younger ex-boyfriend who has reentered her life
0
Set in Kuwait in 1988, two women making their way in the boys club of the Kuwait Stock Exchange, on the eve of Saddam Hussein's invasion of the country.
0
After the disappearance of her husband, a struggling farmer in an isolated Appalachian community fights to save her son when the cold-hearted matriarch of the oldest family on the mountain demands payment of a debt that could destroy a decade's old truce.
-4
A group of courtesans attempts to escape the grasp of a notorious kingpin – but political corruption and blood ties make freedom a near-impossible goal.
-1
An idealistic educator is inadvertently thrust into the French presidential race.
0
A notorious smuggler Waltair Veerayya is hired by a CI Seethapathi, reaches Malaysia with the ostensible mission of kidnapping a drug mafia leader named Solomon, who escaped India after wreaking havoc on the RAW agents and local policemen. Veerayya manages to pummel Solomon, who is fiercely protected by his ruthless gang-lord brother Kaala. Tables are turned, when Veerayya reveals that he shares a turbulent past with Kaala & an ACP Vikram Sagar who is hell-bent on ending his smuggling activities.
-5
A gang goes to rob a bank only to find that there's already a criminal mastermind holding it for ransom, but his identities and motives behind the heist remains mysterious. As they plan to collect the bounty and disappear without a trace, their crimes and their past slowly catches up with them.
-4
The cultural legacy of iconic Indian filmmaker Yash Chopra who is regarded as the father of romance in Indian cinema.
0
A mysterious teen girl arrives at an all-boys school in 1970s Colombia, breaking stereotypes, rules - and a few hearts.
-3
The relationship of a well-known journalist and a down-to-earth teacher goes through hard times when she takes a new job.
0
For a woman who despises losing to men, and a man who distrusts women, love is absolute war — but the line between love and hate is a thin one.
-1
A fire at Nightclub Kiss, which killed 242 people at the nightclub in Santa Maria, Rio Grande do Sul, in 2013.
-1
They say being a woman is all a business and maybe it's true. We are complicated, complex and we look at life differently, exactly what Carolina Rivera captures in 'On the ropes', the new Netflix series that 'unmasks' life's struggles and puts the subject of motherhood on the agenda.
-3
A group of Malayali travellers were returning to Kerala by bus after their visit to Velankanni. They all doze off in a lazy nap after lunch. Like a traveler who forgot his destination, James stops the bus in a village in Tamil Nadu. He starts to speak in Tamil like a native of the place, Sundaram, and behaves like him, confusing all who came with him and the villagers alike. He walks amidst faith, delusion, dream and trance, followed by others.
1
Trico is an enthusiastic sheep who loves to share new objects and ideas with the rest of the flock. This causes ruckus in the mountain pastures, which all inevitably end up at Wanda’s expense, a tough ewe whose job is to keep the sheep safe. Not a small feat, especially when Wolf is always lurking, waiting to make the most of this newfound chaos.
1
A secret fantasy blog might jeopardize the promising future of Laras, a talented student, when the blog is revealed to her entire school.
1
An unapologetic former sex worker starts working at a bento stand in a small seaside town, bringing comfort to the lonely souls who come her way.
0
Three students from a poor neighborhood join an exclusive high school for Delhi elite where dark secrets and rumors ultimately lead to murder.
-2
The new show by comedian Whindersson Nunes entitled This Is Not a Cult is now available on Netflix. This time, the artist reflects on current events, social networks, religion and much more.
1
Set in the 1970s, an undercover Indian spy takes on a deadly mission to expose a covert nuclear weapons program in the heart of Pakistan.
-1
He who has a trick in their bag, they shall use it. An anthology of social deception and trickery in four unlikely places.
-4
Family memories and personal art movingly portray author and motivational speaker Aisha Chaudhary's journey with an immune disorder and terminal illness.
-2
An estranged brother and sister reunite at their father's funeral and make a spur of the moment decision to fulfill their childhood dream of driving across Mexico on their old motorbikes.
-1
Tells the story of how 45-year-old divorce lawyer Shin Sung Han solves the problems of various families.
-1
A womb with a view. Awkward adulthood. The not-so-golden years. Journey through life’s stages with Jamie Demetriou in this musical sketch-comedy special.
-1
Rana Naidu is the go-to problem solver for the rich and famous. But when his father is released from jail, the one mess he can't handle may be his own.
0
Show creator Nicolas Winding Refn and his team detail how they brought the stoic heroine and dark fairy tale version of Copenhagen's netherworld to life.
0
A lawyer turned private investigator takes on a missing person case, propelling him on an unexpected and life-altering quest.
-1
Rekha, a young woman falling in love, finds herself on a vengeful mission after one fateful night sends her spiraling into violence.
-2
In the pursuit of 'love and forever', single parent and Travel Blogger Amanda, embarks on a social media romance with American TourGuide Michael. A trip to the US to meet up for the first time, opens up more doors than both anticipated.
0
Princess friends from four different Fruitdoms — Blueberry, Kiwi, Pineapple and Raspberry — spring into action to make their worlds a better place.
1
A retired radio host bags groceries to earn money to attend his former employer's anniversary party, where he hopes to reunite with the love of his life.
1
In 1990s Mumbai, a crime boss and his network wield unchecked power over the city - until the rise of 'encounter cops' who brazenly kill their targets.
-3
Two best friends, Uche and Toyin, fall in love with Sunday, a charming, yet flawed eligible bachelor. A love triangle ensues with the women unaware that they are dating the same man
2
No topic is safe in this unfiltered stand-up set from Andrew Santino as he skewers everything from global warming to sex injuries to politics.
0
After a cop is found dead, a policeman's investigation sparks a chilling search for the truth connected to his estranged twin and their fraught past.
-3
To save their real estate agency, an ambitious businesswoman and her entitled boss must convince an investor that they're married - despite hating each other.
0
A man's long battle to save his comatose father is met with financial obstacles, and with his family suggesting euthanasia as the best possible option, his hopes of his father coming back to normalcy are tested.
0
The comic shares his diagnoses on ageing, the absurdity of middle-aged cycling enthusiasts, and more.
0
Regret and redemption take center stage as Sondra, struggling actor and professional mess, faces the consequences of a lifetime of her own bad decisions
-3
Two young boys must work together to stop robbers from breaking in after their family accidentally leaves them home alone during the COVID-19 lockdown.
0
‘Theatre is my life,’ Yıldız Kenter admits in her biography written by Dikmen Gürün. This is the story of a star, who has dedicated her whole life to her theatre company, students, the stage. Recounting the prizes received as well as the prices paid for pursuing your passion, Sweetie is a testimony to the transforming cultural landscape of the country as it tells Kenter Theatre’s story and thus how a private theatre has managed to survive. Including interviews by family members, students, fellow actors, as well as rare archival images and footage, Sweetie is an homage to the ‘North Star of Turkish theatre.’ The documentary was written by Zeynep Miraç, scored by Murat Evgin, and features Dikmen Gürün as advisor.
6
This Queen of Comedy shines as she takes the stage to sound off on her suspicion of free stuff, social media prayer requests, fake lashes and ugly shoes.
-1
The lives of three teenagers and a hit-man intertwine in a tale of violence and loss.
-1
A hack screenwriter writes a screenplay for a former silent film star who has faded into Hollywood obscurity.
-1
Hildy, the journalist former wife of newspaper editor Walter Burns, visits his office to inform him that she's engaged and will be getting remarried the next day. Walter can't let that happen and frames the fiancé, Bruce Baldwin, for one thing after another, to keep him temporarily held in prison, while trying to steer Hildy into returning to her old job as his employee.
-2
Headstrong Thomas Dunson starts a thriving Texas cattle ranch with the help of his faithful trail hand, Groot, and his protégé, Matthew Garth, an orphan Dunson took under his wing when Matt was a boy. In need of money following the Civil War, Dunson and Matt lead a cattle drive to Missouri, where they will get a better price than locally, but the crotchety older man and his willful young partner begin to butt heads on the exhausting journey.
3
During America’s Civil War, Union spies steal engineer Johnnie Gray's beloved locomotive, 'The General'—with Johnnie's lady love aboard an attached boxcar—and he single-handedly must do all in his power to both get The General back and to rescue Annabelle.
1
A tramp cares for a boy after he's abandoned as a newborn by his mother. Later the mother has a change of heart and aches to be reunited with her son.
-2
The love story of an abused English girl and a Chinese Buddhist in a time when London was a brutal and harsh place to live.
-2
The life of Al Roberts, a pianist in a New York nightclub, turns into a nightmare when he decides to hitchhike to Los Angeles to visit his girlfriend.
-1
Cashier and part-time starving artist Christopher Cross is absolutely smitten with the beautiful Kitty March. Kitty plays along, but she's really only interested in Johnny, a two-bit crook. When Kitty and Johnny find out that art dealers are interested in Chris's work, they con him into letting Kitty take credit for the paintings. Cross allows it because he is in love with Kitty, but his love will only let her get away with so much.
4
When legendary hunter Bob Rainsford is shipwrecked on the perilous reefs surrounding a mysterious island, he finds himself the guest of the reclusive and eccentric Count Zaroff. While he is very gracious at first, Zaroff eventually forces Rainsford and two other shipwreck survivors, brother and sister Eve and Martin Towbridge, to participate in a sadistic game of cat and mouse in which they are the prey and he is the hunter.
-1
France, on the eve of the French Revolution. Henriette and Louise have been raised together as sisters. When the plague that takes their parents' lives causes Louise's blindness, they decide to travel to Paris in search of a cure, but they separate when a lustful aristocrat crosses their path.
0
Lt. Col. Kirby Yorke is posted on the Texas frontier to defend settlers against depredations of marauding Apaches. Col. Yorke is under considerable stress by a serious shortage of troops of his command. Tension is added when Yorke's son (whom he hasn't seen in fifteen years), Trooper Jeff Yorke, is one of 18 recruits sent to the regiment.
-3
Dramatic events in a Harlem apartment house center around Pa Wilkins, chosen by the Better Business League to replace their ousted, crooked leader Marshall...who wants revenge; and Pa's ward Jim Bracton, a two-timing Romeo whose affairs are coming to a crisis. And hanging around is Marshall's murderous junkie henchman, Lomax. Will it all end in someone's being killed?
-4
While listening to a recording of Penny Serenade, Julie Gardiner Adams begins reflecting on her past. She recalls her impulsive marriage to newspaper reporter Roger Adams, which begins on a deliriously happy note but turns out to be fraught with tragedy. Other songs remind her of their courtship, their marriage, their desire for a child, and the joys and sorrows they have shared. A flood of memories come back to her as she ponders on their present problems and how they arose.
-3
A happily married woman sees a psychoanalyst and develops doubts about her husband.
0
Philo Vance, accompanied by his prize-losing Scottish terrier, investigates the locked-room murder of a prominent and much-hated collector whose broken Chinese vase provides an important clue.
0
The East Side Kids find a young girl in the apartment of a man who has just been murdered. Believing her to be innocent, they hide her in their clubhouse while they try to find the real killer. The killer, however, used a baseball bat as his murder weapon, and the bat has the fingerprints of one of the gang on it.
-3
Mad scientist injects his enemies with acromegaly virus, causing them to become hideously deformed.
-5
In WW I dancer Jerry Jones stages an all-soldier show on Broadway, called Yip Yip Yaphank. Wounded in the War, he becomes a producer. In WW II his son Johnny Jones, who was before his fathers assistant, gets the order to stage a knew all-soldier show, called THIS IS THE ARMY. But in his pesonal life he has problems, because he refuses to marry his fiancée until the war is over.
-2
Newly appointed sheriff Pat Garrett is pleased when his old friend Doc Holliday arrives in Lincoln, New Mexico on the stage. Doc is trailing his stolen horse, and it is discovered in the possession of Billy the Kid. In a surprising turnaround, Billy and Doc become friends. This causes the friendship between Doc and Pat to cool. The odd relationship between Doc and Billy grows stranger when Doc hides Billy at his girl Rio's place after Billy is shot.
-1
Sheriff John Higgins quits and goes into prospecting after he thinks he has killed his best friend in shooting it out with robbers. He encounters his dead buddy's sister and helps her run her ranch. Then she finds out about his past.
-1
When a young South Seas sailor falls overboard, the beautiful daughter of a Polynesian king dives in and saves his life. Thus begins the romance of Johnny and Luana. Though Luana is promised to another man, Johnny whisks her away, and for a brief time the lovers live very happily together. But, when a local volcano threatens their lives, Luana knows that she must sacrifice herself to the volcanic gods in order to save her island.
3
Ex-WAVE encounters four fun-loving, work-hating men, all of whom want to marry her.
0
A popular high school valedictorian and star athlete becomes a pariah when it's discovered that his father is a former bootlegger.
0
Dr. Paul Carruthers feels bitter at being betrayed by his employers, Heath and Morton, when they became rich as a result of a product he devised. He gains revenge by electrically enlarging bats and sending them out to kill his employers' family members by instilling in the bats a hatred for a particular perfume he has discovered, which he gets his victims to apply before going outdoors. Johnny Layton, a reporter, finally figures out Carruthers is the killer and, after putting the perfume on himself, douses it on Carruthers in the hopes it will get him to give himself away. One of the two is attacked as the giant bat makes one of its screaming, swooping power dives.
-3
A straitlaced turn-of-the-century father presides over a family of boys and the mother who really rules the roost.
0
The fifth film of Frank Capra's Why We Fight propaganda film series, revealing the nature and process of the fight between the Soviet Union and Germany in the Second World War.
-1
Poor Ella Cinders is much abused by her evil step-mother and step-sisters. When she wins a local beauty contest she jumps at the chance to get out of her dead-end life and go to Hollywood, where she is promised a job in the movies. When she arrives in Hollywood, she discovers that the contest was a scam and the job non-existent. But through pluck, luck, and talent, she makes it in the movies anyway, and finds true love.
2
As a parting shot, fired reporter Ann Mitchell prints a fake letter from unemployed "John Doe," who threatens suicide in protest of social ills. The paper is forced to rehire Ann and hires John Willoughby to impersonate "Doe." Ann and her bosses cynically milk the story for all it's worth, until the made-up "John Doe" philosophy starts a whole political movement.
-3
Renowned for his excess, King Henry VIII goes through a series of wives during his rule. With Anne Boleyn, his second wife, executed on charges of treason, King Henry weds maid Jane Seymour, but that marriage also ends in tragedy. Not one to be single for long, the king picks German-born Anne of Cleves as his bride, but their union lasts only months before an annulment is granted, and King Henry continues his string of spouses.
-1
Biography of Jackie Robinson, the first black major league baseball player in the 20th century. Traces his career in the negro leagues and the major leagues.
0
A female ape takes to mothering the orphaned boy (Tarzan) and raises him over the course of many years until a rescue mission is finally launched and the search party combs the jungle for the long-time missing Lord Greystoke. But then, one of the search members, Jane Porter, gets separated from the group and comes face to face with fearsome wild animals. Tarzan saves her from harm just in the knick of time and love begins to blossom.
-2
A bombing mission over Germany by the American Eighth Air Force, from the initial planning for the mission through final completion, with all of its intricacies from beginning to end.
0
The story of a poor young woman, separated by prejudice from her husband and baby, is interwoven with tales of intolerance from throughout history.
-3
Bootleggers on the lamb Frankie and Noll split up to evade capture by the police. Frankie is caught and jailed, but Noll manages to escape and open a posh New York City nightclub. 14 years later, Frankie is released from the clink and visits Noll with the intention of collecting his half of the nightclub's profits. But Noll, who has no intention of being so equitable, uses his ex-girlfriend Kay to divert Frankie from his intended goal.
0
Light bio-pic of American Broadway pioneer Jerome Kern, featuring renditions of the famous songs from his musical plays by contemporary stage artists, including a condensed production of his most famous: 'Showboat'.
2
John Martin is a government agent working under cover. Leading citizen Morgan calls in gunman Galt who blows Martin's cover.
0
In Panama, Maggie King meets soldier Skid Johnson on his last day in the army and reluctantly agrees to a date to celebrate. The two become involved in a nightclub brawl which causes Maggie to miss her ship back to the States. Now stranded, she's forced to move in with Skid and his pal Harry. She soon falls in love with Skid. Skid gets a job playing the trumpet at a local club and becomes a big success. Fame and fortune go to his head which eventually destroys his relationship Maggie and his career.
3
In London, a secret society led by lawyer Thaddeus Merrydew collects the assets of any of its deceased members and divides them among the remaining members. Society members start dropping like flies. Sherlock Holmes is approached by member James Murphy's widow, who is miffed at being left penniless by her husband. When Captain Pyke is shot, Holmes keys in on his mysterious Chinese widow as well as the shady Merrydew. Other members keep dying: Malcom Dearing first, then Mr. Baker. There is also an attempt on the life of young Eileen Forrester, who became a reluctant society member upon the death of her father. Holmes' uncanny observations and insights are put to the test.
-2
Western pardners Jeff and Cash find a baby boy in an otherwise deserted emigrants' camp, and clash over which is to be "father." They are still bitterly feuding years later when they own adjacent ranches. Bill, the foundling whom Cash has raised to young manhood, wants to end the feud and extends an olive branch toward Jeff, who now has a lovely daughter. But during a mining venture, the bitterness escalates. Is Bill to be set against his own adoptive father?
-2
British nurse Edith Cavell is stationed at a hospital in Brussels during World War I. When the son of a former patient escapes from a German prisoner-of-war camp, she helps him flee to Holland. Outraged at the number of soldiers detained in the camps, Edith, along with a group of sympathizers, devises a plan to help the prisoners escape. As the group works to free the soldiers, Edith must keep her activities secret from the Germans
0
After living all his chilhood in the street, a young boy notices rapidly that crime doesn't pay and that´s why he decides to become a policeman. One day, one of his best friends go in prison for a murder he didn't commit. Immediately the policeman tries his best to release him and prove his innocence.
-1
The first film adaptation of Sir Arthur Conan Doyle's classic novel about a land where prehistoric creatures still roam.
1
In Haiti, a wealthy landowner convinces a sorcerer to lure the American woman he has fallen for away from her fiance, only to have the madman decide to keep the woman for himself, as a zombie.
-3
Don Diego Vega pretends to be an indolent fop as a cover for his true identity, the masked avenger Zorro.
-2
John and Mary Sims are city-dwellers hit hard by the financial fist of The Depression. Driven by bravery (and sheer desperation) they flee to the country and, with the help of other workers, set up a farming community - a socialist mini-society based upon the teachings of Edward Gallafent. The newborn community suffers many hardships - drought, vicious raccoons and the long arm of the law - but ultimately pull together to reach a bread-based Utopia.
-8
An illiterate stooge in a traveling medicine show wanders into a strange town and is picked up on a vagrancy charge. The town's corrupt officials mistake him for the inspector general whom they think is traveling in disguise. Fearing he will discover they've been pocketing tax money, they make several bungled attempts to kill him.
-6
An investigator from the War Crimes Commission travels to Connecticut to find an infamous Nazi, who may be hiding out in a small town in the guise of a distinguished professor engaged to the Supreme Court Justice’s daughter.
0
A young girl travels west to live with her uncle during the California Gold Rush only to find that he has been killed by Indians and his identity assumed by an outlaw.
-1
The just out of college effete son of a no-nonsense steamboat captain comes to visit his father whom he's not seen since he was little.
0
A nightclub singer uses alcohol in excess to sooth her painful life.
-1
A police lieutenant and a female reporter investigate a series of murders committed by a hooded killer in an old dark house.
-3
Notorious shootist and womanizer Quirt Evans' horse collapses as he passes a Quaker family's home. Quirt has been wounded, and the kindly family takes him in to nurse him back to health against the advice of others. The handsome Evans quickly attracts the affections of their beautiful daughter, Penelope. He develops an affection for the family and their faith, but his troubled past follows him.
2
Aspiring author Prudence "Prue" Severn leaves her staid home for the wild life in New York's artistic Greenwich Village community. Her concerned family hires two thrill-seeking ex-doughboys, bow-tied Bartley "Bart" Greer and his trigger-happy buddy Lee, to look after her and, hopefully, persuade her to come home. They move into Prue's apartment building, where she lives with a sculptress pal. Although interested in Bart, Prue senses he is being paid to watch over her-- so she decides to elope with the handsome Rolf.
-1
In the midst of World War II, Sherlock Holmes rescues the Swiss inventor of a new bomb-sight from the Gestapo and brings him to England, where he shortly falls into the clutches of Professor Moriarty.
-1
This film-noir piece, told in semi-documentary style, follows police on the hunt for a resourceful criminal who shoots and kills a cop.
-1
Prelude to War was the first film of Frank Capra's Why We Fight propaganda film series, commissioned by the Pentagon and George C. Marshall. It was made to convince American troops of the necessity of combating the Axis Powers during World War II. This film examines the differences between democratic and fascist states.
-2
The ghosts of three elderly industrialists killed in an airplane crash return to Earth to help reunite a young couple whom they initially brought together.
-2
In Renaissance Florence, a Florentine trader meets a shipwrecked stranger, who introduces himself as Tito Melema, a young Italianate-Greek scholar. Tito becomes acquainted with several other Florentines, including Nello the barber and a young girl named Tessa. He is also introduced to a blind scholar named Bardo de' Bardi, and his daughter Romola. As Tito becomes settled in Florence, assisting Bardo with classical studies, he falls in love with Romola.
-1
A convicted thief in Dartmoor prison hides the location of the stolen Bank of England printing plates inside three music boxes. When the innocent purchasers of the boxes start to be murdered, Holmes and Watson investigate.
-2
Jack is looking for the man that was responsible for the death of his sister after he hired her as a school teacher. When he runs into school teacher Ann who was just hired by Corey, he soon realizes Corey is the man he is after. Lacking proof, he works on Corey's nerves hoping to get a confession from him.
-2
A young girl named Burma attends a beach party with her boyfriend and after she smokes marijuana with a bunch of other girls, she gets pregnant and another girl drowns while skinny dipping in the ocean. Burma and her boyfriend go to work for the pusher in order to make money so they can get married. However, during a drug deal her boyfriend is killed leaving Burma to fend for herself. Burma then becomes a major narcotics pusher in her own right after giving up her baby for adoption.
-1
A lawyer is framed for the murder of a young party girl and tries to clear his name.
0
Henry Courtney, a wealthy importer is found murdered and the famous DeNormand necklace has been stolen. The false testimony of two witnesses, Rand and Hobbs, puts Jim O'Brien in the shadow of the hangman's noose. Martha Courtney, widow of the murdered man and Jim's former sweetheart is convinced he isn't guilty, and promises crooked lawyer Roger Lanning the necklace - which Jim doesn't have - if he can arrange for Jim's escape. Rand and Lanning killed Courtney, but Lanning doesn't know that Rand has the necklace.
-1
A group of young actresses reminisces about their days as part of a gang of kids, headed by Mickey McGuire. Their memories take the form of clips from episodes of the long running Mickey McGuire series of short comedies.
0
An old man and his sister are concealing a terrible secret from their adopted teen daughter, concerning a hidden abandoned farmhouse, located deep in the woods.
-1
A veteran homicide detective who has witnessed his socialite girlfriend kill her husband sees his inexperienced brother assigned to the case.
-2
A district attorney and a reporter try to find the killer of a D.A. who uncovered a massive stock fraud.
-2
A sharpshooter in a traveling sideshow is falsely accused of murdering a local miner.
-1
Cutthroat pirate William Kidd captures Admiral Blayne's treasure ship and hides the bounty in a cave. Three years later, Kidd, posing as a respectable merchant captain, offers his services to the king. Seeking a social position, Kidd also negotiates for Blayne's title and lands, provided he can prove Blayne was associated with piracy. Launched upon his royal mission, Kidd is unaware that Blayne's son Adam is among the crew, determined to clear his father's name.
1
Larry Baker is a young fireman whose daring exploits have led him to receiving a lot of newspaper publicity which goes to his head. His sweetheart, Mary O'Connor, and fire-department friends begin to shun him as they think he is just a publicity hound. But a daring rescue of Mary and her younger brother, Mickey, from a blazing inferno shows him to be more than just a publicity-chaser and, now, a real hero to all.
3
The gang is friend with a millionaire because they saved him from an agression. However, the gang is suspecting that the man's son was actually one of the agressors.
0
Gulliver washes ashore on Lilliput and attempts to prevent war between that tiny kingdom and its equally-miniscule rival, Blefiscu, as well as smooth the way for the romance between the Princess and Prince of the opposing lands. In this he is alternately aided and hampered by the Lilliputian town crier and general fussbudget, Gabby. A life-threatening situation develops when the bumbling trio of Blefiscu spies, Sneak, Snoop, and Snitch, manage to steal Gulliver's pistol.
-3
The Cattlemen's Association has called in the Mesquiteers to find cattle rustlers. They get Tex Riley to pose as Stony so Stony can arrive posing as a wanted outlaw. This gets Stony into the gang of rustlers and he alerts Tucson and Lullaby as to the next raid. But Hartley is on hand and unknown to anyone is the rustler's boss and he joins the posse with a plan that will do away with the Mesquiteers.
-2
A high-school girl gets involved with a ring of teenage marijuana smokers and starts down the road to ruin. A reporter poses as a soda jerk to infiltrate the gang of teen dope fiends.
-4
It's bad enough that Clarice Kendall Andrews, Paula's irresponsible sister, comes home from celebrating Mardi Gras and drunkenly mentions that she got married during the festivities. What's worse is the fact that Paula knows that Clarice is still married to an equally irresponsible gigolo. Paula learns that the man Clarice married, Stephen Cormack, is on his yacht and his lawyer, thinking that Paula is Clarice, offers the older woman $5000 to annul the marriage.
-3
This WW2 documentary centers on the crew of the American B-17 Flying Fortress Memphis Belle as it prepares to execute a strategic bombing raid on Nazi submarine pens in Wilhelmshaven, Germany.
0
Ted Hayden impersonates a wanted man and joins Gentry's gang only to learn later that Gentry was the one who killed his father.
-1
Sam Tucker, a cotton picker, in search of a better future for his family, decides to grow his own cotton crop. In the first year, the Tuckers battle disease, a flood, and a jealous neighbor. Can they make it as farmers?
0
A seemingly charitable soup kitchen operator (who moonlights as a criminology professor) uses his Bowery mission as a front for his criminal gang. Police attempt to close in on the gang as they commit a series of robberies, murders and bizarre experiments on corpses.
-2
After Pat Garrett kills Billy the Kid, Billy's look-alike Roy Rogers arrives and is mistaken for him. Although a murderer, Billy was on the side of the homesteaders against the large ranchers. As Billy's death is unknown, Roy gets Garrett to let him pose as Billy to continue the fight, but without the killing.
-6
A tale of the World War I love affair, begun in Italy, between American ambulance driver Lt. Frederic Henry and British nurse Catherine Barkley. Eventually separated by Frederic's transfer, tremendous challenges and difficult decisions face each as the war rages on.
-1
Pursued by the big-time gambler he robbed, John Muller assumes a new identity—with unfortunate results.
-1
Rival newspaper reporters Pat Morgan and Ted Rand find themselves unraveling the mystery behind the death of a millionaire philanthropist who fell from his penthouse balcony. When it is discovered that the plunge was not an accident, the building's residents come under suspicion. Soon, the body count begins to mount as three more murders occur by strangulation.
-6
A group of youngsters grow up and love in a peaceful French village. But war intrudes and peace is shattered. The German army invades and occupies village, bringing both destruction and torture. The young people of the village resist, some successfully, others tragically, until French troops retake the town.
1
John Logan leaves his parents and sweetheart in bucolic Happy Valley to make his fortune in the city. Those he left behind become miserable and beleaguered in his absence, but after several years he returns, a wealthy man. But his embittered father, not recognizing him for who he is, plans to murder the newly- arrived "stranger" for his money.
0
Abandoned by her fiancé, an educated black woman with a traumatizing past dedicates herself to helping a near bankrupt school for impoverished black children.
0
John Wyatt is a government agent sent to smash a counterfeiting operation near the Mexican border. Joining Doc Carter's medicine show they arrive in the town where Curly Joe, who once framed Carter, resides.
-1
Judge Priest, a proud Confederate veteran, restores the justice in a small town in the Post-Bellum Kentucky using his common sense and his great sense of humanity.
2
A street kid has dreams of becoming a jockey. He gets his chance when he and his gang discover a poor old man who has a championship race horse. The man agrees to let the boy ride his horse in a race, but first the gang must get enough money to pay for the race's entry fees.
0
An all-black horror comedy starring Mantan Moreland and sometimes partner (and straight man) F.E. Miller, Lucky Ghost is amusing low-brow fare that exploits the more base, stereotypical elements of old-time black life (chicken thievin', gamblin', runnin' from ghosteses) for laughs -- sort of like the BET of its day. Mantan and Miller win a house-cum-casino in a craps game, only to discover that the deceased former owners aren't too pleased that their old home is being used for "jitterbugging, jiving, and hullaballooing". I hate hullaballooing. The ghosts decide to scare everyone off by opening doors and windows, pulling out chairs, even playing the drums.
0
Army training Sgt. Gray makes a bet that he can get himself invited to breakfast with his commanding officer, General Markley. But he gets into an unhappy tangle with a couple of enemy spies (and a happy tangle with the general's daughter) before the bet is finally decided.
-3
Three childhood friends, Martha, Walter and Sam, share a terrible secret. Over time, the ambitious Martha and the pusillanimous Walter have married. She is a cold businesswoman; he is the district attorney: a perfect combination to dominate the corrupt city of Iverstown at will. But the unexpected return of Sam, after years of absence, deeply disturbs the life of the odd couple.
-3
As Alice and Cora Munro attempt to find their father, a British officer in the French and Indian War, they are set upon by French soldiers and their cohorts, Huron tribesmen led by the evil Magua. Fighting to rescue the women are Chingachgook and his son Uncas, the last of the Mohican tribe, and their white ally, the frontiersman Natty Bumppo, known as Hawkeye.
0
Imprisoned for a murder he did not commit, John Brant escapes and ends up out west where, after giving the local lawmen the slip, he joins up with an outlaw gang. Brant finds out that 'Jones', one of the outlaws he has become friends with, committed the murder that Brant was sent up for, but has no knowledge that anyone was ever put in jail for his crime. Willing to forgive and forget, Brant doesn't realize that 'Jones' has not only fallen for the same pretty shopgirl Brant has, but begins to suspect that Brant is not truly an outlaw.
-6
The dream is unusually vivid: Bank employee Vince Grayson finds himself murdering a man in a sinister octagonal-shaped room lined with mirrors while a mysterious woman breaks into a safe. It is so vivid that Vince suspects it may have really happened. To get the dream off his mind, he goes on a picnic with some relatives. When a thunderstorm forces his party into a nearby mansion, Vince discovers that the bizarre room does exist, and it means nothing but trouble.
-4
People in an old, dark mansion are menaced by a maniac called "The Black Ace.
-2
A little girl goes in search of her father who is reported missing by the military during the Second Boer War.
0
Holmes and Watson board a passenger train bound from London to Edinburgh, to guard the Star of Rhodesia, an enormous diamond worth a fortune belonging to an elderly woman of wealth; but within the first hour of the trip, the woman's son is murdered and the diamond stolen and any of the passengers in their car could be the killer thief.
0
A young man finds himself attracted to a cold and unfeeling waitress who may ultimately destroy them both.
-3
High-school principal Dr. Alfred Carroll relates to an audience of parents that marijuana can have devastating effects on teens: a drug supplier entices several restless teens, Mary and Jimmy Lane, sister and brother, and Bill, Mary's boyfriend, into frequenting a reefer house. Gradually, Bill and Jimmy are drawn into smoking dope, which affects their family lives.
-3
The arrival of the telegraph put Pony Express riders like John Blair and his pal Smoky out of work. A race will decide whether they or stageline owner Drake get the government mail contract.
2
France, 1640. Cyrano, the charismatic swordsman-poet with the absurd nose, hopelessly loves the beauteous Roxane; she, in turn, confesses to Cyrano her love for the handsome but tongue-tied Christian. The chivalrous Cyrano sets up with Christian an innocent deception, with tragic results.
2
When John Mason's father is killed, John is wounded. Attracted to his nurse Alice, a conflict arises between him and his friend Ben who plans to marry Alice. John later finds the killer of his father but goes to face him not knowing Ben has removed the bullets from his gun.
-3
Rod Drew hunts for a missing girl and finds himself in a fight over a goldmine as well.
1
James Kincaid controls the local water supply and plans to do away with the other ranchers. Government agent Sandy Saunders arrives undercover to investigate Kincaid's land swindle scheme, and win the heart of one of his victims, Fay Denton.
0
Based on the comic strip by Gene Byrnes, the "Reg'lar Fellers", and one girl-feller, tinker with building a land/water machine, form a kid-band and go on the radio, celebrate a birthday, get involved with gangsters...and reunite a wealthy recluse with her baby granddaughter and estranged daughter-in-law.
0
A young woman's husband has been imprisoned for a crime he didn't commit. In order to be near him to try to help him get his sentence overturned, she moves into a boardinghouse near the prison whose residents are the wives of inmates.
-2
Lambert owns the trucking line that ships cattle to market. When he raises his rates Roy decides to ship the cattle on the River Boat. When Lambert and his men are unable to stop the boat, they rustle the cattle.
-1
A young woman discovers a seed that can make women act like men and men act like women. She decides to take one, then slips one to her maid and another to her fiancé. The fun begins.
3
When the Stack family suffers some financial setbacks, daughter Mary Ellen suggests they buy a car and relocate to California. Unbeknownst to them, their used car is worth more than they ever could have imagined.
-1
Sherlock Holmes investigates when young women around London turn up murdered, each with a finger severed. Scotland Yard suspects a madman, but Holmes believes the killings to be part of a diabolical plot.
-5
A recalcitrant thief vies with a duplicitous Mongol ruler for the hand of a beautiful princess.
0
An American boy turns out to be the heir of a wealthy British earl. He is sent to live with the irritable and unsentimental aristocrat, his grandfather.
0
This documentary movie is about the battle of San Pietro, a small village in Italy. Over 1,100 US soldiers were killed while trying to take this location, that blocked the way for the Allied forces from the Germans.
-1
Molly, the eldest child of a group of orphans being used as slaves on a farm hidden deep in a swamp, must rescue the others when their cruel master decides that one of them will be disposed of.
-2
James Cagney has a rare chance to show his song-and-dance-man roots in this low-budget tale of a New York bandleader struggling with a Hollywood studio boss.
-1
A young orphan girl, courted by an unpleasant older suitor who has a hold over her adoptive mother, falls in love with Fairfax, a young stranger at a party. A group of bootleggers try to get away with the loot stashed previously within Fairfax's mansion; Mysterious faces peer into the windows and shadowy figures stalk the hall. One of the bootleggers is killed and the young stranger becomes the prime suspect.
-9
A ranch owner fires his ranch hands and brings in women to replace them. The owner's daughter wants the male hands back and comes up with a plan to do it.
0
A man murders his wife's lover and escapes with his daughter to the South Pacific. A detective pursues him, joined by a young man who eventually falls in love with the daughter.
0
In the late 1800's the father of submarines, Mr John Holland, hit upon the idea of powering a submarine with an internal combustion engine and an electric motor. For over a hundred years, since the first semi-successful attempts during the American Civil War, submarine warfare had been fraught with difficulties and failure. In 1901, the Holland I was launched as the first Royal Navy submarine and submarines have been an integral part of the Navy ever since.
-2
A naive country girl is tricked into a sham marriage by a wealthy womanizer, then must rebuild her life despite the taint of having borne a child out of wedlock.
-4
A couple struggle to find happiness after a whirlwind courtship.
0
Baby photographer Ronnie Jackson, on death row in San Quentin, tells reporters how he got there: taking care of his private-eye neighbor's office, Ronnie is asked by the irresistible Baroness Montay to find the missing Baron. There follow confusing but sinister doings in a gloomy mansion and a private sanatorium, with every plot twist a parody of thriller cliches.
-7
Pepe Le Moko is a notorious thief, who escaped from France. Since his escape, Moko became a resident and leader of the immense Casbah of Algiers. French officials arrive insisting on Pepe's capture are met with unfazed local detectives, led by Inspector Slimane, who are biding their time. Meanwhile, Pepe meets the beautiful Gaby , which arouses the jealousy of Ines
2
A young beauty queen travels to New York to further her modelling career, but contracts syphilis after being tricked into a sexual encounter. She is torn between the prospect of a slow, intensive but proven therapy and a supposed miracle cure.
2
A man known to be a mute is suspected of committing a murder, as he was noticed at the scene. However, witnesses saw and heard him talking as he was leaving the scene of the crime. The police must determine if he is the actual killer or if he is being framed.
-3
A society woman believes her husband is having an affair, a misconception which may have dire personal consequences for all involved.
-2
Unscrupulously ambitious, Brutus Jones escapes from jail after killing a guard and, through bluff and bravado, finds himself the emperor of a Caribbean island.
-2
A grotesquely disfigured composer known as "The Phantom" haunts Paris' opera house, where he's secretly grooming Christine Daae to be an opera diva. Luring her to his remote underground lair, The Phantom declares his love. But Christine loves Raoul de Chagny and plans to elope with him. When The Phantom learns this, he abducts Christine.
1
Ollie is in love with a woman. When he discovers that she is already married, he tries to kill himself. Of course, the suicide is avoided and the boys join the Foreign Legion to get away from their troubles. Finally, they are arrested for trying to desert the Legion and to escape the firing squad by stealing a plane.
-4
When a small-town girl is incorrectly diagnosed with a rare, deadly disease, an unknowing newspaper columnist turns her into a national heroine.
-1
As a penalty for fighting fellow classmates days before graduating from West Point, J.E.B. Stuart, George Armstrong Custer and four friends are assigned to the 2nd Cavalry, stationed at Fort Leavenworth. While there they aid in the capture and execution of the abolitionist, John Brown following the Battle of Harper's Ferry.
-1
An ex-vaudeville actor is working as the assistant to a doctor who has Frankenstein aspirations. The ex-vaudeville actor kills the doctor and decides to assume the identity of the dead physician.
-1
When Sheriff Jake sees a man at the safe and then finds the payroll gone, he trails him. Just as he is about to arrest him, the man saves his life. Still suspicious, he joins up with the man and later they learn that Melgrove, the towns leading citizen, is trying to take over the area's ranches by having his gang stop all incoming supply wagons. With the ranchers about to sell to Melgrove, the two newcomers say they will bring in provisions.
1
An Austrian military officer and rogue attempts to seduce the wife of a surgeon. The two men confront each other in a test of abilities that ends surprisingly.
-2
The town's leading citizen is a man victim of homicidal impulses beyond his control. He is being controlled by his wife who had left him for another man. She was involved in a car accident that has left her brain damaged and is kept in the basement, in secret, by Kessler's gardener.
0
The story takes place in 1940. On the eve of America's entry in World War II, a colonel retired to his small Southern town, and discovers that there is a plan afoot to tear down Confederate Monument Square. He begins a campaign to rally the townspeople to save the square.
0
Posing as a cattle buyer, Hoppy crosses over into Oklahoma where the Jordan brother's and their outlaw gang operate outside the law. After receiving an unfriendly reception when he finds them, he, California, and Johnny rustle their cattle and drive across the river into Texas. He hopes they will cross over to retrieve their cattle and then he can arrest them.
-2
Grant hides stolen money in the luggage of Bonnie Shea who is moving west. Later when he and his men arrive to retrieve the money, they also kidnap Bonnie. This sends Reasonin' Bates and his cowhands on their horses after the gangsters in their cars.
-2
A highly respectable lawyer becomes a sexual animal after working hours; His live-in mother-in-law tries to keep him in line. When an actor-impersonator comes to see him, the two switch lives.
1
Hugh “Bulldog” Drummond is on the precipice of matrimony to his beloved Phyllis -- but a bank robbery and a daring escape is going to get in their way before they reach the altar.
2
Rudyard Kipling's Jungle Book is given the full treatment in this lavish retelling filled with huge sets, exotic animals, a large cast and the incomparable Sabu, starring as Mowgli, the young orphan boy raised by wolves. Curious to reconnect with his human village, Mowgli returns only to find disappointment in the greed and treachery of man. Over time, Mowgli and the village members do grow to trust one another, but not before the village finds itself under siege. It's up to Mowgli and his jungle friends to save the day.
-4
Change comes slowly to a small New Hampshire town in the early 20th century. We see birth, life and death in this small community.
-2
John Travers and Yak, his faithful Indian sidekick, pick up where a murdered sheriff leaves off, and try to nab the mysterious Shadow.
0
A woman is married to the son of a doctor, the proprietor of a private sanatorium, where she is under unwilling treatment. Both the son and the doctor indicate they want the marriage dissolved. Arriving at the scene is a mysterious personage identified as the doctor's brother who formerly was a stage magician in Europe. He is accompanied by a threatening dwarf...
-3
Susie secretly loves her neighbor, William Jenkins, but neither, it seems, can confess their feelings for each other.
0
Ella Bishop is an inhibited girl whose frustrations grow as she approaches womanhood. As a women, her ambitions to teach cause her to lose her only opportunity for true love. Ella's life becomes one of missed chances and wrong choices. As she reaches old age, she reflects back and realizes she allowed the years to go by without achieving what she believes to be her true fulfillment. However, her years have not been without glory, and her moment of triumph arrives when her numerous now-famous students from over the years, return to honor their beloved Miss Bishop.
1
An American actor, impersonating an English butler, is hired by a rich woman from New Mexico to refine her husband and headstrong daughter. The complications increase when the town believes the actor/butler to be an earl and President Roosevelt decides to pay a visit.
1
Jean Preston is determined to find her fiancée, Greg Jones, who went on a safari and didn’t come back when expected. She travels to Akbar, India with Greg’s father, Colonel Jones, Wayne Monroe and the Professor. She asks about Jones at the front desk of the hotel where she stays.
0
A young woman at life's crossroads is granted mystic visions of how her decisions will affect her future life.
0
A schoolteacher comes to a new town and finds herself caught up in the town's problems and disputes.
-2
The feathered residents of Chirpendale are terrorized by an evil black crow by the name of "The Black Menace". But to the citizen's rescue comes a brave young taxi puller named Bill!  In other words, every single role in this film is played by birds. Actual birds.
-1
A disparate group of people meet as passengers on a superspeed train crossing the U.S. Aboard are a seductive blackmailer and the stage director he intends to frame, a woman chasing her husband who is running away with the blackmail victim, and the stage director's feisty leading lady.
1
A nightclub singer refuses to "date" customers, so she's framed for the murder of her aunt.
-2
In 1831, Irishman Charles Adare travels to Australia to start a new life with the help of his cousin who has just been appointed governor. When he arrives he meets powerful landowner and ex-convict, Sam Flusky, who wants to do a business deal with him. Whilst attending a dinner party at Flusky's house, Charles meets Flusky's wife Henrietta who he had known as a child back in Ireland. Henrietta is an alcoholic and seems to be on the verge of madness.
0
Brilliant in his studies and dismissive of athletics, Ronald finishes high school at the top of his class. But in college his uptight attitude doesn't win him any points with his sports-loving classmates, and pretty coed Mary ignores him in favor of brutish jock Jeff. Hoping to impress Mary, Ronald makes a buffoon of himself at every sport imaginable.
4
In the 15th Century, France is a defeated and ruined nation after the One Hundred Years War against England. The fourteen-year-old farm girl Joan of Arc claims to hear voices from Heaven asking her to lead God's Army against Orleans and crowning the weak Dauphin Charles VII as King of France. Joan gathers the people with her faith, forms an army, and conquers Orleans.
2
A French playboy and an American former nightclub singer fall in love aboard a ship. They arrange to reunite six months later, if neither has changed their mind.
0
Frank Bigelow is about to die, and he knows it. The accountant has been poisoned and has only 24 hours before the lethal concoction kills him. Determined to find out who his murderer is, Frank, with the help of his assistant and girlfriend, Paula, begins to trace back over his last steps. As he frantically tries to unravel the mystery behind his own impending demise, his sleuthing leads him to a group of crooked businessmen and another murder.
-10
Marshall Dan Mitchell, who is the law in Abilene, has the job of keeping peace between two groups. For a long time, the town had been divided, with the cattlemen and cowboys having one end of town to themselves, while townspeople occupied the other end. Mitchell liked it this way, it made things easier for him, and kept problems from arising between the two factions. However…
2
Through a fluke circumstance, a ruthless woman stumbles across a suitcase filled with $60,000, and is determined to hold onto it even if it means murder
-3
Construction workers in World War II in the Pacific are needed to build military sites, but the work is dangerous and they doubt the ability of the Navy to protect them. After a series of attacks by the Japanese, something new is tried, Construction Battalions (CBs=Seabees). The new CBs have to both build and be ready to fight.
0
Nick Condon, an American journalist in 1945 Tokyo, publishes the Japanese master plan for world domination. Reaction from the understandably upset Japanese provides the action, but this is overshadowed by the propaganda of the time.
-1
A young soldier on a pass in New York City visits the famed Stage Door Canteen, where famous stars of the theater and films appear and host a recreational center for servicemen during the war. The soldier meets a pretty young hostess and they enjoy the many entertainers and a growing romance
4
The Devil arranges for a deceased gangster to return to Earth as a well-respected judge to make up for his previous life.
-2
A boxer flees, believing he has committed a murder while he was drunk.
-3
A budding young writer thinks it's her lucky day when she is chosen to be the new secretary for Owen Waterbury, famous novelist. She is soon disppointed, however, when he turns out to be an erratic, immature playboy. Opposites attract, of course, but not without sub-plots that touch on competitiveness within marriage and responsibility.
0
After surviving a murder attempt, an auto magnate goes into hiding so his wife can pay for the crime.
-2
Hildy Johnson is an investigative reporter is looking for a bigger paycheck. When an accused murderer escapes from custody, Hildy sees an opportunity for the story of a lifetime. But when he finds the criminal, he learns that the man may not be guilty. With the help of his editor, Hildy attempts to hide the convict, uncover the conspiracy and write the scoop of his career.
-4
When beautiful Mary returns to her "whistle stop" hometown, long-standing feelings of animosity between two of her old boyfriends leads to robbery and murder.
0
In flashback from a 'Rebecca'-style beginning: Ellen Foster, visiting her aunt on the California coast, meets neighbor Jeff Cohalan and his ultramodern clifftop house. Ellen is strongly attracted to Jeff, who's being plagued by unexplainable accidents, major and minor. Bad luck, persecution...or paranoia? Warned that Jeff could be dangerous, Ellen fears that he's in danger, as the menacing atmosphere darkens.
-7
A scientist keeps his wife young by killing, stealing the bodies of, and taking the gland fluid from virgin brides.
-2
Using a conventional Western story with an all dwarf cast, the filmmakers were able to showcase gags such as cowboys entering the local saloon by walking under the swinging doors, and pint-sized cowboys galloping around on Shetland ponies while roping calves.
0
Vladimir Dubrouvsky, a lieutenant in the Russian army, catches the eye of Czarina Catherine II. He spurns her advances and flees, and she puts out a warrant for his arrest, dead or alive. Vladimir learns that his father's lands have been taken by the evil Kyrilla Troekouroff, and his father dies. He dons a black mask, and becomes the outlaw The Black Eagle. He enters the Troekouroff household disguised as a French instructor for Kyrilla's daughter Mascha. He is after vengeance, but instead falls in love with Mascha.
-5
Art editor Madeleine Damian carries on numerous loveless affairs. After a failed relationship with advertiser Felix Courtland, the increasingly depressed Madeleine attempts suicide. When Jack Garet, her secretary and former lover, tries to blackmail her, Madeleine resigns and seeks a reclusive life. Neighbor David Cousins befriends Madeleine, but soon Courtland and Garet discover her whereabouts and disrupt her new life.
-5
It's Tulsa, Oklahoma at the start of the oil boom and Cherokee Lansing's rancher father is killed in a fight with the Tanner Oil Company. Cherokee plans revenge by bringing in her own wells with the help of oil expert Brad Brady and childhood friend Jim Redbird. When the oil and the money start gushing in, both Brad and Jim want to protect the land but Cherokee has different ideas. What started out as revenge for her father's death has turned into an obsession for wealth and power.
0
The Marshal sends John Weston to a rodeo to see if he can find out who is killing the rodeo riders who are about to win the prize money. Barton has organized the rodeo and plans to leave with all the prize money put up by the townspeople. When it appears that Weston will beat Barton's rider, he has his men prepare the same fate for him that befell the other riders.
2
During World War II, a small plane somewhere over the Caribbean runs low on fuel and is blown off course by a storm. Guided by a faint radio signal, they crash-land on an island. The passenger, his manservant and the pilot take refuge in a mansion owned by a doctor. The quick-witted yet easily-frightened manservant soon becomes convinced the mansion is haunted by zombies and ghosts.
-2
Ballard's trail jumpers attack the Wyatt Company wagon train, killing young John's parents and kidnaping his brother, Jim. In post-Civil War California, John Wyatt, now a man, pulls together a vigilante posse, The Singing Riders, who all ride white horses, dress alike, and ride the trails singing and rounding up outlaw gangs. Meanwhile, John is ever on the lookout for the gang that murdered his parents  As a youngster John Wyatt saw his parents killed and his brother kidnapped. On a wagon train heading West he meets his brother who is now a spy for the gang which originally did the dirty work. He and his brother both fall for Mary Gordon  When Ballard and his men attack the Wyatt wagon train, they kill all except two young brothers. Twelve years later one brother John has organized a vigilante group. The other brother Jim is now part of Ballard's gang and the two are destined to meet again
-7
When the villagers of Kleinschloss start dying of blood loss, the town fathers suspect a resurgence of vampirism. While police inspector Karl Brettschneider remains skeptical, scientist Dr. Otto von Niemann cares for the vampire's victims one by one, and suspicion falls on simple-minded Herman Gleib because of his fondness for bats. A blood-thirsty mob hounds Gleib to his death, but the vampire attacks don't stop.
-7
Borneo, 1941, during World War II. When the Japanese occupy the island, American writer Agnes Newton Keith is separated from her husband and imprisoned with her son in a prison camp run by the enigmatic Colonel Suga.
-1
Young auto mechanic Dan Brady takes $20 from a cash register at work to go on a date with blonde femme fatale Vera Novak. Brady intends to put the money back before it is missed, but the garage's bookkeeper shows up earlier than scheduled. As Brady scrambles to cover evidence of his petty theft, he fast finds himself drawn into an ever worsening "quicksand" of crime.
-3
While participating in a contest at a local newspaper in which school children are asked to submit a news story, local attorney Carson Drew's daughter Nancy intercepts a real story assignment. She "covers" the inquest of the death of a woman who was poisoned. Nancy doesn't think the young woman accused of the crime is guilty and corrals her neighbor Ted into searching for a vital piece of evidence and stumbles onto the identity of the real killer.
-5
Director Hal Walker's 1945 musical comedy stars Betty Hutton as a hat-check girl at New York City's famous nightclub. The cast also includes Barry Fitzgerald, Don Defore, Andy Russell, Iria Adrian and Robert Benchley.
1
Jerry Mason, a young Texan, and Jake Benson, an old rancher, become partners and strike it rich with a gold mine. They then find their lives complicated by bad guys and a woman.
-1
After one member of their group is murdered, the performers at a burlesque house must work together to find out who the killer is before they strike again.
-1
A true-life epic that revolves around an exclusive bataillon of the U.S. Marine Corps during World War II, "Carlson's Raiders," whose assignment is to take control of a South Pacific island once possessed by the United States but now under Japanese command.
0
Rodeo star John Scott and his gambler friend Kansas Charlie are wrongly accused of armed robbery. They leave town as fast as they can to go looking for their own suspects in Poker City.
-1
During the Austrian-Prussian war, Anna Marie is a dancer who is forced to flee her country after she is accused of being a spy. She ends up in a lawless western town in Arizona, where she uses her charms and dancing skills to transform herself into "Salome" during her dance routines.
0
Bandits lead by Matt the Mute enter a bar and kill multiple people. Randy Bowers comes to town and is framed by Matt the Mute, who is working with the sheriff (who doesn't know Matt is really a criminal). Randy escapes with the help of the niece of the dead owner of the bar. Bowers ends up running from the sheriff, and ends up in the cave in which the bandits have their hide-out…
-3
Duke Fergus falls for Ann 'Flaxen' Tarry in the Barbary Coast in turn-of-the-century San Francisco. He loses money to crooked gambler Boss Tito Morell, goes home, learns to gamble, and returns. After he makes a fortune, he opens his own place with Flaxen as the entertainer; but the 1906 quake destroys his place.
-2
A professor gets mixed up with chorus girls in a Broadway musical.
0
Isaiah, a 19th-century businessman, has his eye on the beautiful and very young Jenny. Finally of age, she accepts his marriage proposal, but their love affair quickly turns sour. Ephraim, Isaiah's college-age son, comes for a visit, immediately striking up a chemistry with Jenny. She promises marriage -- if he murders his father first. But Jenny also swoons for John, the fiancé of her best friend, Meg.
3
Murder mystery set in Yellowstone National Park.
-2
A music maestro uses hypnotism on a young model he meets in Paris to make her both his muse and wife.
0
A gang of criminals, which includes a piano player and an imposing former convict known as 'Gruesome', has found out about a scientist's secret formula for a gas that temporarily paralyzes anyone who breathes it. When Gruesome accidentally inhales some of the gas and passes out, the police think he is dead and take him to the morgue, where he later revives and escapes. This puzzling incident attracts the interest of Dick Tracy, and when the criminals later use the gas to rob a bank, Tracy realizes that he must devote his entire attention to stopping them.
-6
Dare Rudd takes a shine to his cattleman cousin Tom's girlfriend who asks Tom to hire Dare to head the big cattle drive. Dare loses the money for the drive to cardsharps, but Tom wins it back, but Dare must save Tom's life.
1
A mad scientist changes his simple-minded handyman into a werewolf in order to prove his supposedly crazy scientific theories - and exact revenge.
-3
Dick Tracy investigates the theft of a fortune of fur coats, a possible insurance swindle and several murders, all linked to a huge thug who wears a hook in place of his right hand.
-2
Wall Street wizard, Larry Day, new to the ways of love, is coached by his valet. He follows Vivian Benton on an ocean liner, where cocktails, laced with a "love potion," work their magic. He then loses his fortune in the market crash and feels he has also lost his girl.
2
In his starring debut, Roy gets elected to Congress in order to bring water to the ranchers in his district. In Washington, he learns he needs the backing of a key congressman and gets that man to go west for an inspection trip. When the congressman is initially unimpressed, Roy gets the inspection party stranded without water to show the true conditions.
0
Two narcotics agents go after a gang of murderous drug dealers who use ships docking at the New York harbor to smuggle in their contraband.
-1
In 1871, professional gambler John Devlin elopes with Sandra "Sandy" Poli, daughter of Marko Poli, an immigrant who has risen to railroad tycoon. Sandy, knowing that the railroad is to be extended into Dakota, plans to use their $20,000 nest egg to buy land options to sell to the railroad at a profit. On the stage trip to Ft. Abercrombie, their fellow passengers are Jim Bender and Bigtree Collins, who practically own the town of Fargo and Devlin is aware that they are prepared to protect the little empire... trying to drive out the farmers by burning their property, destroying their wheat, and blaming the devastation on the Indians. Continuing their journey north on the river aboard the "River Bird', Sandy and John meet Captain Bounce, an irascible old seafarer. Two of Bendender's henchmen, Slagin and Carp, board the boat and relieve John of his $20,000 at gunpoint. Captain Bounce, chasing the robber's dinghy..
-3
The story is set in Cambodia in the years following WWI. Evil Count Mazovia (Roy D'Arcy) has come into possession of the secret methods by which men can be transformed into walking zombies and uses these unholy powers to create a race of slave laborers. An expedition is sent to the ruins of Angkor Wat, in hopes of ending Mazovia's activities once and for all. Unfortunately, Armand (Dean Jagger), one of the members of the expedition, has his own agenda.
-5
A comedy based on NBC's "People Are Funny" radio (and later television) program with Art Linkletter with a fictional story of how the program came to be on a national network from its humble beginning at a Nevada radio station. Jack Haley is a producer with only half-rights to the program while Ozzie Nelson and Helen Walker are the radio writers and supply the romance. Rudy Vallee, always able to burlesque himself intentional and, quite often, unintentional, is the owner of the sought-after sponsoring company. Frances Langford, as herself, sings "I'm in the Mood for Love" while the Vagabonds quartet (billed 12th and last) chimes in on "Angeline" and "The Old Square Dance is Back Again."
0
Chris Morrell, the guardian of half-Indian girl Nina, is helping her find her missing white father. so she can cash in on her late mother's oil lease. Outlaw Sam Black is after the girl and her father as well. Besides dealing with the Black gang, Morrell has to find another robber, Jim Moore, who switches clothes with him after he finds Chris unconscious from a fight with Sam Black. Along the way, he meets a lady who's the sister of Jim Moore, another bad hombre who's in cahoots with Jim Moore, and an old friend who takes in Nina and helps Chris locate Nina's father and fight off the various desperadoes
0
Nicole has no job and is several weeks behind with her rent. Her solution to her problems is to try and snare a rich husband. Enlisting the help of her friend Gloria and the maitre'd at a ritzy New York City hotel, the trio plot to have Gloria catch the eye of Bill Duncan, a millionaire staying at the hotel. The plan works and the two quickly become engaged. Nicole's plan may be thwarted by Bill's friend, Jim Trevor, who's met Nicole before and sees through her plot.
-2
Jury foreman Edward Weldon's questioning leads to the death sentence for Ethel Saxon. His daughter Stella claims to have killed her lover, the gangster Garboni, just as Saxon was to sit in the electric chair. Restoration by the Academy Film Archive and Blackhawk Films with funding from the estate of David Shepard from a 35mm nitrate duplicate negative and 35mm nitrate fine grain in the Lobster Films collection.
-1
Two undercover agents infiltrate a drug-smuggling ring in Mexico, thee find them selves falling in love with each other. Neither is aware of the other's identity As they decide to make a run for the border.
0
The Berlin Air Lift from the point of view of two NCOs.
0
A nobleman vows to avenge the death of his father by the hands of pirates. To this end, he infiltrates the pirate band; Acting in character, he single-handedly captures a merchant vessel, but things are complicated when he finds that there is a beautiful young woman of royal blood aboard.
-2
Adrienne, the queen of the Frivolity Theater, is a self-centered vamp who steals other women's husbands. Her current conquest is Phillip Overman, and when Overman's wife pleads with the vamp to free her husband, Adrienne turns a deaf ear. Daisy, a chorine, is shocked by her colleague's callousness, but Adrienne asserts that she is only being practical. When she meets Pittsburgh millionaire Dave Wallace, Adrienne falls in love and casts Overman aside. Soon after their marriage, Adrienne learns that her husband is having an affair with Daisy, who is now the reigning queen of Broadway. She pleads with Daisy to release her husband, who responds by repeating the philosophy that Adrienne had given her. Despondently boarding a boat bound for Europe, Adrienne sees the Overmans, who are now happily reunited, and realizes the shallowness of her life.
-2
When private tutor Thomas Arnold (Sir Cedric Hardwicke) becomes headmaster at Rugby, a boy's preparatory school in England, he puts into place a policy of strict punishment for unruliness and bulying. Arnold finds an ally in Tom Brown (Jimmy Lydon), a new student who is subjected to hazing and abuse by a group of older boys and is pressured by his friends to keep quiet about it. Fed up, he leads his fellow classmates in an underground rebellion against their tormentors. But certain unspoken rules still apply at the school and Brown loses his hero status when he is accussed of breaking the Rugby code of silence.
-2
Kildare tries brain surgery, advised by Dr. Gillespie, and faces a rival for nurse Lamont.
-1
When an escaped circus gorilla appears to have gone on a murderous rampage, a threatened attorney calls on the detective trio of Garrity, Harrigan and Mullivan to act as bodyguards.  In short order, we discover that there is more to the attorney than meets the eye, and the ape may be innocent after all.  When a pretty young heiress faces peril, it's up to our heroic trio to save the day.
-1
A badly injured fugitive explains to a priest how he came to be in his present predicament.
-3
A bored millionaire wagers his doctor that he can support himself at a working class job for year without touching his inheritance.
0
When a sudden spurt of murders occurs in the Big Bend country, suspicion immediately falls on a young drifter who just moved to the area.
-3
Jimmy, the owner of a failed music shop, goes to work with his uncle, the owner of a food factory. Before he gets there, he befriends an Irish family who happens to be his uncle's worst enemy because of their love for music and in-house band who constantly practices. Soon, Jimmy finds himself trying to help the band by getting them gigs and trying to reconcile the family with his uncle.
0
New York Assistant District Attorney Howard Malloy is working hard on investigation about a series of murders related to an extremist group.
-3
For the ventriloquist Gabbo his wooden dummy Otto is the only means of expression. When he starts relying more and more on Otto, he starts going mad.
-1
Days of Jesse James is a 1939 American film directed by Joseph Kane and starring Roy Rogers. Bank robbery pulled off by the bank officials, not the usual James gang.
0
King Louis XIII of France is thrilled to have born to him a son - an heir to the throne. But when the queen delivers a twin, Cardinal Richelieu sees the second son as a potential for revolution, and has him sent off to Spain to be raised in secret to ensure a peaceful future for France. Alas, keeping the secret means sending Constance, lover of D'Artagnan, off to a convent. D'Artagnan hears of this and rallies the Musketeers in a bid to rescue her. Unfortunately, Richelieu out-smarts the Musketeers and banishes them forever.
2
When the bride's mother is supposedly swindled out of her money by a spurned suitor, the groom's father orchestrates a scheme of his own to set things right. He is aided by a cabaret singer, while placating a jealous wife.
0
James Houghland, inventor of a new method by which television signals can be instantaneously sent anywhere in the world, refuses to sell the process to television companies, who then send agents to acquire the invention any way they can. On the night of his initial broadcast Houghland is mysteriously murdered in the middle of his demonstration and it falls to Police Chief Nelson to determine who the murderer is from the many suspects present.
-5
A small-town spinster, who's a born romantic, takes on the strict members of the local "Purity League" by spilling a few of their well-kept secrets. Comedy.
-2
In 1775, Daniel Boone settles Kentucky, despite menacing Indians and renegade whites.
-1
Boston pharmacist Tom Craig comes to Sacramento, where he runs afoul of local political boss Britt Dawson, who exacts protection payment from the citizenry. Dawson frames Craig with poisoned medicine, but Craig redeems himself during a Gold Rush epidemic.
1
The film tells the story of army recruits following basic training, with the Andrew Sisters attending USO dances. The film is a mixture of comedy and songs.
0
Easterner Madeline Hammond buys a ranch not knowing Hayworth is using it to smuggle ammunition across the border. When trouble starts, she brings back Gene Stewart ex-foreman who left the country after fighting with the Sheriff.
-1
Li'l Abner becomes convinced that he is going to die within twenty-four hours, so agrees to marry two different girls: Daisy Mae (who has chased him for years) and Wendy Wilecat (who rescued him from an angry mob). It is all settled at the Sadie Hawkins Day race.
-2
Rejected by the Army, Marines, and Navy for being too young, the punks help the war effort by throwing fruit at a shop they believe is owned by a Japanese American. Confronted by him wielding a short sword, the gang decides to come back at night but find him dead.
-3
Mary Brooks' father, who has been studying ancient tribes, falls into the hands of "the people of Zar, god of the Emerald Fingers." Tarzan helps Mary locate her father, rescues everyone from the High Priest of Zar, and takes Mary to his cave.
-2
Captain Gerard, greatest lover in the Foreign Legion, is assigned to escort an emir's daughter to her father's mountain citadel and find out what he can about the emir's activities. Gerard enjoys his work with lovely Cara, but arrives to find rebellion brewing.
5
Englishmen fighting Nazis in Africa discover an exotic mystery woman living among the natives and enlist her aid in overcoming the Germans.
-1
The East Side Kids try to fix up a house for newlyweds, but find the place next door "haunted" by mysterious men.
-1
A WWI English officer is inspired the night before a dangerous mission by a vision of Joan of Arc, whose story he relives.
-1
Famous actress Norma Shearer's jewels are stolen… (Star-packed promotional short film intended to raise funds for the National Variety Artists Tuberculosis Sanatorium.)
2
A crooked lawyer and his gang are trying to steal some government land meant for a stagecoach company. The company hires a cowboy to stop them.
-2
Anita, engaged to solid Don Barnes, is swept off her feet by magician Arturo. Before you can say presto, she's his wife and stage assistant on a lengthy world tour. But Anita is annoyed by Arturo's constant flirtations, and his death-defying stunts give her nightmares. And forget her plan to retire to a farmhouse. Eventually, she has had enough and disappears.
-2
Funloving Pearl White, working in a garment sweatshop, gets her big chance when she "opens" for a delayed Shakespeare play...with a comic vaudeville performance. Her brief stage career leads her into those "horrible" moving pictures, where she comes to love the chaotic world of silent movies, becoming queen of the serials. But the consequences of movie stardom may be more than her leading man can take
1
In the middle of a pictorial lecture on his recent expedition to the Mongolian Desert, Dr. John Benton,the famous explorer, drinks from the water bottle on his lecture table, collapses and dies. His last words "Eternal Fire" are the only clue Chinese detective Jimmy Wong and Captain Street of the police department have to work on.
0
Jeffrey Haywood wants to marry to Virginia Embrey. However, Virginia refused to marry unless her older sister, the hard-to-please Angelica gets married first. Angelica, in turn, finds every man she knows too dull and predictable, and for this reason prefers to stay single. Jeff then tries to make Angelica interested in the mild-mannered and timid Reggie Irving passing him off as a notorious playboy to intrigue her. He asks his friend Polly to teach Reggie "how to treat a woman right", but he turns to be a disastrous learner.
-2
A man is determined to find the real culprit behind the crime for which his father was wrongly executed.
-3
Viennese surgeon Dr. Braun and his daughter Leni come to a small town in North Dakota as refugees from Hitler. When the winds of the Dust Bowl threaten the town, John Phillips leads the townsfolk in moving to greener pastures in Oregon. He falls for Leni, but she is betrothed to the man who helped her and her father escape from the Third Reich. She must decide between the two men.
-1
Detective Tracy (Morgan Conway) rescues Tess Trueheart (Anne Jeffreys) and Junior from a killer called Splitface (Mike Mazurki).
-1
Rightful owner of the kingdom, the Duchess of Zona, is engaged in a power struggle with the evil General Gurko. Edmond, the son of Monte Cristo, dons many disguises to come to the aid of the Duchess.
-1
A woman doesn't realize that the man she has just married is a gangster. When she is implicated in a murder he committed, she turns to an ex-boyfriend, who is now a park ranger, for help. He hides her out in a cabin up in the mountains, and her husband goes on the hunt for both of them.
-2
The life of Jesus is played out in tableaux shot in the Holy Land.
1
The East Side Kids discover that one of their own, Danny, is torn between staying and school and becoming a boxer, and is getting mixed up with gangsters.
-1
Holmes takes a vacation and visits his old friend Sir Henry Baskerville. His vacation ends when he suddenly finds himself in the middle of a double-murder mystery. Now he's got to find Professor Moriarty and the horse Silver Blaze before the great cup final horse race.
0
A police detective uses his girlfriend to track down a homicidal maniac.
-1
A nobleman, posing as a necktie salesman, falls in love with the daughter of a circus puppeteer, even though he is already married to the daughter of his country's war minister.
0
Wealthy Mr. Kennedy shoots his secretary, Channing, during a parlor game, but it turns out the gun was loaded with real bullets. Luckily, criminologist Phillip Montrose is on hand to help the police. When Kennedy quickly ends up dead as well, the police think it's a tidy murder-suicide, but the family lawyer knows of a letter that voiced Kennedy's suspicions about someone who was out to get him. Soon, the cops are on the trail of a ruthless and clever killer who is one step ahead of even Montrose.
0
Adults who grew up as slum kids meet later in life, but murder disrupts their reunion.
-1
Ruth Earlton has come home to her ancestral mansion to claim her inheritance.  Accompanied by her boyfriend, she discovers that her father died suddenly under suspicious circumstances.  Now it's her turn, as her deranged and relentless uncle targets her for death with the help of his wife and son, plus a very unhappy ape.
-5
Produced in 1943 under the guidance of Army Air Force Lieutenant Clark Gable, this film follows a single 8th Air Force B-17 crew from training through a series of missions over Europe.
1
An insurance salesman, Albert Tuttle, is hired as a body guard for a millionaire.
0
The sixth film of Frank Capra's Why We Fight propaganda film series illustrates Japan's occupation of China, including Madame Chiang Kai-Shek's stirring address before congress, the rape of Nanking, the great 2,000 mile migration, and Claire Chennault's Flying Tigers.
-1
A salmon fisherman has to choose between a bad girl and a society doll.
-1
Robin Hood of the Pecos is a 1941 American film starring Roy Rogers and directed by Joseph Kane. Following the Civil War, the South still faced many dangers not the least of which were the armies of carpetbaggers that descended on impoverished towns, intent on making a fast greenback at the expense of the local populace.
-1
On vacation at his ranch, western actor Roy quickly finds himself involved with a horse rustling operation and a boy ward of one of the rustlers, leading to the kidnapping of Roy's trick horse Trigger by the gang with a demand for ransom.
0
Brother is pitted against brother in this tale of fueding ranchers in the old west.
0
Street kids get sent to the country, where they get mixed up in murder and a haunted house.
-1
Wounded while stopping the James gang from robbing the local bank, a cowboy wakes up in the hospital to find that he's been elected town marshal. He soon comes into conflict with the town banker, who controls everything in town and is squeezing the townspeople for every penny he can get out of them.
-1
Clint Belmet (Gary Cooper) is a bit of a firebrand and is sentenced to at least 30 days in jail, but his partners, Bill Jackson (Ernest Torrence) and Jim Bridger (Tully Marshall) talk a sympathetic Frenchwoman named Felice (Lili Damita) into telling the bumbling, drunken marshal that Clint had married her the previous night. Clint is released so he can accompany Felice on the wagon train heading west to California.
-1
Zeb Smith is a gambler with a larcenous streak, but when an itinerant preacher takes a bullet meant for him, Zeb vows to fulfill the preacher's mission of building a church. Frustrated in his attempts to get donations, Zeb attempts to capture fugitive Doll Brown in order to obtain the reward. But he finds that there's more to Doll than meets the eye. When his old friend Bucky McLean shows up gunning for Doll, Zeb sees a chance to redeem them all... one way or another.
0
Fraternity brothers enter one of their own into a scholarship lottery after a women's college insults them. Though the Zeta boys are celebrated for their comedy drag revue, staying undercover as a woman at an all-girls' school wasn't part of the rehearsal!
-1
Mary Smith decides after a lifetime of being a shut-in to do something wild while her father is out campaigning for the presidency, so she takes off for the family's home in West Palm Beach and inadvertently becomes romantically entangled with earnest cowboy Stretch Willoughby. Neither the dalliance nor the cowboy fit with the upper class image projected by her esteemed father, forcing her to choose.
1
A pilot carrying a valuable amulet is shot down over China by a ruthless Russian agent, who also wants the amulet.
0
A publicity stunt staged on a train known as the Broadway Limited gets out of control, as no one wants to be responsible for the baby that was brought in for it.
-2
Timid milkman, Burleigh Sullivan, somehow knocks out a boxing champ in a brawl. The fighter's manager decides to build up the milkman's reputation in a series of fixed fights and then have the champ beat him to regain his title.
1
A dapper gangster sponsors an alcoholic violinist in order to win the love of a glamorous divorced socialite.
2
The south sea island Tonga is full of plantations and scoundrels. Ellen Bradford arrives expecting marriage to respectable and successful plantation owner only to find he is a drunk and gambler. Being the only white woman she is the desire of scoundrels and cut-throats.
-1
It's 1860 and the old Spanish land grants are being surveyed. Montez is after part of Don Regas' rancho and gets the surveyor to alter the boundary. But Don Regas still has the original grant written on a bandanna. Montez sends Indians after it but Bill Cody and Gabby fight them off and a wounded Gabby unknowingly ends up with the missing million dollar deed wrapped around his arm for a bandage.
0
Chubby William Tracy starred as Dodo Doubleday, a feckless Army draftee blessed (or cursed) with a photographic memory. Inexplicably promoted to sergeant, Doubleday becomes the bane of topkick Sgt. Ames' (Joe Sawyer) existence.
-3
Professor Stock and his wife Mizzi are uhappily married. The professor, suspicious of his wife, hires a detective to spy on her in hopes of obtaining a divorce. Mizzi sets her sights on seducing Dr. Franz Braun, the new husband of her good friend Charlotte. Dr. Braun's colleague, Dr. Mueller, who has his eye on Charlotte, sees this as his opportunity. Through a misunderstanding, Charlotte thinks that her husband is interested in Miss Hofer, and asks Mizzi to keep him occupied... around and around the circle goes in Lubitsch's refined comedy of mistaken infidelity.
-2
The ambitious son of an accomplished race driver struggles to outrun his father's legacy and achieve his own successes.
2
A Nazi spy ring is after a chemical formula that increases the power of ordinary gasoline for U.S. Army aviation use. Two U.S. chemical companies are developing the formula, with each working on half for security purposes. The spies get half the formula and know that either of two chemists, Robert Norton or Tom Fielding, knows the rest. They capture Fielding, through a ruse by gang member Linda Pavlo, and threaten the life of his sister Nancy and his mother if he does not give them the formula. To protect his friend Fielding, who does know the formula and is engaged to Nancy, Tom pretends to know the secret and boards the Dawn Express plane with the spy leader and his gang.
0
An old miner is ambushed by outlaws trying to steal the $10,000 he is carrying to start up a new mine. A passing cowboy comes to the miner's aid, but winds up getting blamed for the attack.
-3
British Captain Terence Stevenson (Robert Donat) accepts an assignment even more dangerous than his everyday job of defusing unexploded bombs. Fluent in Romanian and German and having studied chemical engineering, he is parachuted into Romania to assume the identity of Captain Jan Tartu, a member of the fascist Iron Guard. He makes his way to Czechoslovakia to steal the formula of a new Nazi poison gas and sabotage the factory where it is being manufactured.
-5
The son and daughter of an abusive shopkeeper turn to a medicine show salesman for help.
-1
Bat Masterson, who after failing to secure a job as a newspaper reporter becomes marshal of Dodge City. Preferring socializing to peacekeeping, Masterson falls in love with Dora Hand, the obligatory golden-hearted chorus girl whose concern for the welfare of her fellow citizens at time reaches Madonna-like dimensions. When Dora is shot down cattle baron King Kennedy, Masterson begins taking his job seriously. After taking care of Kennedy, Masterson determines to enshrine the memory of Dora, whose efforts to clean up Dodge City were largely ignored by the "decent" townsfolk.
2
Americans come west to California in the hope of peaceful settlement. Roy and Gabby sing a duet: "We're Not Coming Out Tonight." Other songs include "Sundown on the Rangeland" and "Ride on Vaquero."
1
Highlights in this one include a fist-fight between Johnny Weissmuller and Buster Crabbe (I won't give away the winner, but check the cast order); a cat-fight between Virginia Grey and Carol Thurston that the male cast of Sienfeld would pay to see and, just to keep things moving, Weissmuller wrestles an alligator, and there are two mid-water collisions between small-craft boats, a big ship wreck and a blazing swamp fire finale. Toss in a plot that has Weissmuller as a psycho-neurotic war veteran who, because he piled up his Navy destroyer on the rocks, now dreads returning to his pre-war occupation of a pilot guiding ships through the channels at the mouth of the Mississippi. Throw in icy Virginia Grey as a spoiled heiress out to take Johnny away from his job, his friends and the girl he loves (who knows why), and you have enough plot and action for two Pine-Thomas jewels.
-4
Señor Martinez, a famous theater owner, visits a local café in Mexico because of its reputation for good food and to audition the famous dancer who performs there. Martinez tells the café owner that if the dancer is as good as he has heard, he will offer the dancer a contract to perform in his theater. The café's female singer hears about this and is determined that he won't leave the café without her.
5
Cosmo Jones, a correspondence-school detective from a small town, comes to the big city to offer his services to the police. He happens by where a gangster is killed by an opposing gang. Socialite Phyllis Blake is running around with gang member Tom and the opposing gang plan on kidnapping her. Cosmo is with Sergeant Flanagan when the attempt is made in front of a night club, where a bystander is seriously wounded in the gun-battle. Police Chief Murphy blames Flanagan for the shooting and demotes him. Cosmo, with the aid of a porter, Eustace and Flanagan's fiancée, Susan, tries to find the killer. Phyllis is finally kidnapped and Cosmo decides the act was committed by one of the two gangs. He has her father place an ad in the newspaper that contact has been made with the kidnappers. Each gang thinks the other is pulling a double cross, and one gang wipes out the other.
-4
After a series of murders, a man finds out that his mother was bitten by a vampire bat during her pregnancy, and he believes that he may be the vampire committing the murders.
-2
Jonathan Pride is a mild-mannered dance instructor in 1820 Boston. En route to visit relatives, Jonathan is shanghaied by a band of zany pirates and forced to work as a galley boy. When the pirate vessel arrives at the port of Las Palomas, Jonathan, clad in buccaneer's garb, makes his escape. Everyone in Las Palomas, including Governor Alcalde (Frank Morgan) and fetching senorita Serafina (Steffi Duna), assumes that Jonathan is the pirate chieftain, leading to a series of typical comic-opera complications.
2
Steve Drexel voluntarily strands himself on a deserted island on a bet. He intends to re-create civilization and carves a miniature city of 52nd Street and Park Avenue out of the jungle. Drexel is befriended by his dog, a native monkey, and a wild goat that is captured in one of his traps. He attempts to cultivate a native as his Man Friday from Robinson Crusoe, but fails as the native escape.
-3
Mary Linden is the secretary who is the unheralded power behind successful executive James Duneen. He takes her for granted until rival Wales tries to take her away from him.
0
Rich playboy Drogo Gaines is in imminent danger of marrying a gold digger, and escapes by feigning insanity. The joke's on him when he wakes up in an asylum full of comical lunatics. There he befriends Colonel Carraway, and together they escape, catching a ride with a beautiful blonde who proves to be Penguin Moore, carnival owner.
-2
Steve Kinney and his henchman, Mort, are trying to stir up trouble between the local ranchers and farmers, behind a wave of rustling and lawlessness. Mort kills Vic, a Kirby cowhand, and lays the blame on Dan Harper, the leader of the farmers faction. Storekeeper Fuzzy Q. Jones, fearful of losing the outstanding charge-accounts he has on his books, drags his reluctant pal, Billy Carson, into the fray, and the two soon prove Kinney and his henchmen to be behind the valley's troubles.
-9
Night club singer Nelle Hill has many suitors an escaped convict, a piano player and a newspaper man. One is killed.  With musical shorts such as “Murder in Swingtime,” “Black and Tan Fantasy,” “Symphony in Black,” and “Ain’t Misbehaving.”
-2
Years after the death of her husband, Kitty McNeil takes her son and flees from the home of her wealthy and controlling mother-in-law. Alone and jobless in New York, she runs into an old flame, her USO partner Donald Elwood, who agrees to help her fight for custody of the child.
-2
A detective matches wits with the female leader of a crime ring.
-1
Andy Hardy goes to college after serving in the war and finds his sweetheart is engaged to someone else.
2
A wagon train heads west from Independence, Mo., along the Oregon Trail, led by proud cowboy Clint Belmet. On board are feisty young widow Nancy Wellington and her toddler, Sonny, as well as the older Abby Masters, who begins a romance with scout Jim Burch. Along the way, the wagon train battles Indians led by Kenneth Murdock, a trapper who doesn't welcome competition for Oregon's lucrative fur trade.  Wagon Wheels is a 1934 remake of 1931's Fighting Caravans, using stock footage from the original.
8
Gridley is mining silver from an old Mexican mine and bringing it into the USA thru a passage into his worthless mine. Border guard Rogers suspects Gridley and finally finds the secret entrance to the Mexican mine. He sends Lee Madison for help only to have her captured by Gridley. Trigger brings help that takes care of Gridley's men and now Roy has to rescue Madison.
-2
During World War II, Chinese guerrillas fight against the occupying Japanese forces. A young woman is the secret leader of the villagers, who plot to rescue two downed Flying Tigers pilots who are currently in the custody of the Japanese. The rescue mission takes on even more importance with the arrival of a Japanese general, which signals a major offensive taking place in the area.
-2
William S. Hart stars in this 1925 silent film as a cowboy intent on claiming land during the 1889 land rush in the Oklahoma Territory. Though hardened from years of taming the new frontier, he falls in love with a beautiful woman. Before he settles down, however, he must contend with men who wish to bring him harm. In the prologue of the 1939 Astor Pictures revival of this film, Hart gives a moving eight-minute introduction-- the first and only time he appeared in a film accompanied by his striking voice.
1
The gang is sent to the Wilton Reform School after they are unjustly convicted of stealing a truck. Bill Collins, brother of co-leader Danny, becomes involved in a killing and, while also innocent, is convicted and sentenced to death. Through a series of events, Muggs, Glimpy, Danny and the rest of the gang, learn that Knobby, a henchman of Luke Manning, knows something about the murder.
-4
In the seventeenth century, in Massachusetts, a young woman is forced to wear a scarlet "A" on her dress for bearing a child out of wedlock.
0
Muggs is tricked into entering a Civilian Conservation Corps camp by Danny in order to get in shape. Muggs resists and battles with the camp captain and with other campers. He also becomes involved in trying to help one of his friends get out of trouble.
-2
A group of delinquents on their way to summer camp get stuck in a haunted house.
-2
Raised by Natalie Brennan, a flamboyant and irresponsible mother, Ziggy Brennan gets involved in hustling men at a young age. She hangs around with a wild crowd and learns gets her "street smarts" first from her mother, who wants everyone to think they are sisters, and then from Denny Reagan, an older man. He starts teaching her his tricks of the trade and she falls right in line with his crooked ways. Then one night she meets Martin J. 'Mart' Neilson, a tall, handsome, honest farmer boy who's a sailor and they fall in love. While he's away fighting the war, she discovers she's pregnant.
-2
The adventurous and remarkable life of the US writer Jack London (1876-1916).
2
An orphan boy on his way to live with his uncle picks up a stray dog, and the two become fast friends. However, the uncle doesn't want the dog, and when chickens are found dead, the uncle accuses the dog of killing them. The boy decides that it's time he and the dog hit the road so they run away, and meet up with an elderly man who also ran away from a home where he believed he wasn't wanted either.
-3
A  ghostly and deadly dinner party, which at first turns out to be an elaborate staging of a new play for the benefit of a Broadway producer, becomes a true mystery when the players start to go missing.
-1
Lamont Cranston assumes his secret identity as "The Shadow", to break up an attempted robbery at an attorney's office. When the police search the scene, Cranston must assume the identity of the attorney. Before he can leave, a phone call summons the attorney to the home of Delthern, a wealthy client, who wants a new will drawn up. As Cranston meets with him, Delthern is suddenly shot, and Cranston is quickly caught up in a new mystery.
-1
War - Documentary film depicting the attack by Allied forces on the Japanese strong-holds of Arawe Beach and Cape Gloucester, New Britain, in the South Pacific theatre of the Second World War in 1943. -  Leo Genn, Burgess Meredith, Anthony Veiller
-1
A newspaper columnist and host of his own national network radio program, interviewing more film personalities on his show than any other commentator, is searching for a story for a Sunday column carried by newspaper from coast to coast. Hanging out in Hollywood's famed Trocadero restaurant and night-spot, he gets his story when "Troc" owner and band-leader Eddie LeBaron, relates to him the sage of the famed screenland nitery. And hears plenty of music furnished by four of the top name-bands in the land, including that of Bob Chester, who formed his own swing band in 1935 after being top saxophonist with the bands of Ben Pollack and Ben Bernie. Singer Ida James and the Chester band led off with "Shoo Shoo Baby" in their screen debut.
5
The story of Tommy and Jimmy Dorsey from their boyhood in Pennsylvania through their rise, their breakup, and their personal reunion.
-1
Stanton breaks Billy and his two friends Fuzzy and Jeff out of jail. He wants them free so three of his men can impersonate them for the robberies and murders he has planned.
-2
Ex-confederate officer Clay Fletcher jumps at the chance to reunite with his once lady-friend, Susan Jeffers, when his father, Judge Fletcher, sends him on an errand to El Paso, Texas to get the signature of Susan's father, Judge Jeffers, on a legal document. Once there he finds the judge has become a drunk and a laughing stock, doing the bidding of local magnate Bert Donner and his running dog, Sheriff La Farge. Just as Clay starts straightening out the town's problems, events occur which force him to abandon the legal system and instead adopt the murderous tactics of a vigilante.
-3
A town in Arkansas makes national headlines when a local sow gives birth to 18 piglets.
0
When a mother dies of heart failure in a doctor's office, the physician--feeling somewhat guilty because he couldn't save her--takes an interest in the woman's young daughter, and makes her his ward, but his fiancé doesn't particularly like it. After he returns from a three-year engagement in Europe, the doctor discovers that his ward is now a beautiful, full-grown woman, and finds himself falling for her--even though she's engaged to his fiancé's brother.
-1
This one is set at a college picnic by the lake, with three musical numbers. "We've Got It Bad but It Don't Do Us No Good" is by a quartet of college men, with ukulele, pennywhistle, and ocarinas. "Sort of Lonesome" is a romantic song, sung straight by Roth. "Me and the Boyfriend" is sung more uptempo by Roth, made comic by her actions as she manhandles her geeky boyfriend.
1
A young woman jeopardizes the relationship with the man she loves when a no-account from her past shows up.
1
Bad guys plot to trick a newly arrived Eastern girl out of a ranch which belongs to her infant ward. Roy, of course, saves the ranch for the girl. Songs include "I'm Headin's for the Home Corral," "He's a No Good Son of a Gun," "Sandman Lullaby," "Song of the San Joaquin," and "I'm a Cowboy Rockefeller."
-2
As rustled cattle have mysteriously disappeared, Johnny sends for his friend Hoppy, Hoppy arrives and immediately suspects Dan Slack. Realizing his telegram about Slack was intercepted, he locks up the operator Lafe knowing he can escape. Tailing Lafe he finds a secret entrance to a mine and inside finds the missing cattle. But Slack's men also find him just as the cattle are stampeded through the mine shaft.
-5
Story of a tuna fisherman who has been wrongfully convicted of a murder he did not commit. His exemplary behavior in prison ensures that he is up for early parole. He realizes, however, that his movements will be limited, and he will be unable to join and wed his beloved. The only solution is to escape and hunt down the real killer, himself.
-3
As the sheriff of a small western town, Autry sings his way into a relationship with Eleanor, a singer from a Chicago nightclub who earlier witnessed a murder.
-1
A feisty little girl, the daughter of a beat cop, faces the challenges of growing up in a tough city neighborhood.
2
The "true story" of baseball great Babe Ruth; Ruth plays himself.
1
Hoppy and Lucky have been called in to investigate a series of stage holdups. The robbers are taking gold from Colby's mine and Hoppy suspects it may be ex-outlaw Colby himself. When Speedy strikes gold, Hoppy borrows it and announces a gold shipment hoping to catch the gang and their leader.
3
Jean Loring has her men illegally killing and selling game. Roy suspects her and gets himself invited to stay at her ranch. Investigating he finds the freezer where the slaughtered game are kept. But he is caught, tied up, and left to freeze.
-5
A theatrical producer puts aside his own success to boost the career of a talented singer.
3
A young heiress moves away from home, takes a job in a Chicago department store and weds a co-worker who's unaware of his bride's wealthy background.
1
Angela maintains a coastal lighthouse in Italy, where she awaits the return of her brothers from the war. She learns they are casualties and takes solace in the arms of an American sailor washed ashore. However, the sailor turns out to be a German spy, and she is torn between her love for him and her realization that he is part of the enemy force that has destroyed her family.
0
A chorus girl's career is ruined and her brother is driven to suicide when she starts smoking marijuana.
-2
A range lawman (Ken Maynard) unmasks a black-cloaked phantom killer (Sheldon Lewis).
-1
An investigative reporter romances a suspected smuggler's daughter.
0
Hoppy, Lucky and California search for a mine owned by Trudy Pendleton after it was taken from her by thw swindling gambler Ace Gibson. They find the mine and Hoppy fights Gibson over it.
1
A group of people find themselves trapped in a creepy mansion, complete with secret passageways, a mad doctor and a murderous gorilla.
-4
Richard Walters is condemned to death for a murder he claims not to have committed. He arrives on death row just before a brutal inmate leads the other convicts in a violent uprising. Walters gets caught up in the riot, while on the outside his friends are trying to find evidence of his innocence.
-6
A female reporter goes undercover to investigate the series of mysterious disappearances of young women, who were all linked to a local drama school.
-1
Ojo and Unc Nunkie are out of food, so they decide to journey to the Emerald City where they will never starve. Along the way, they meet Mewel, a waif and stray (mule) who leads them to Dr. Pipt, who has been stirring the powder of life for nine years. Ojo adds plenty of brains to Margolotte's Patchwork servant before she is brought to life with the powder. When Scraps does come to life, she accidentally knocks the liquid of petrifaction upon Unc Nunkie, Margolotte, and Danx (daughter Jesseva's boyfriend). So all go on separate journeys to find the ingredients to the antidote. (Of course Jesseva has Danx shrunken to take with her, which causes trouble with Jinjur.) Of course, no one ever told Ojo that some of the ingredients were illegal to obtain...
-4
Nazi spies use a stolen shortwave transmitter prototype to broadcast top secret shipping info to an offshore Japanese sub. To nab the spy ring, the Government has the West Coast's top radio engineers fired and shadowed to see if the Nazis recruit them to complete work on the prototype radio. Radio engineer Lew Deerhold, a resident alien without a job to pay for his adorable little ward Gina's life-saving operation, falls prey to the spy ring, and is swept up in a maelstrom of deceit and danger.
0
Footage of the actual planning and execution of a bombing raid on Germany.
0
Documentary made by the U.S. Army Signal Corps after the North African campaign.
0
The goings on of a few members of a radio show's audience is the premise for this feature film derived from the popular ABC radio show of the 1940's. This film features Tom Breneman, the radio show's host, as well as Bonita Granville, Beulah Bondi, Zasu Pitts, Billie Burke and Hedda Hopper. Musical performances are provided by Nat King Cole and the King Cole Trio, along with Spike Jones and his City Slickers.
2
When Ranger Hoppy's falsely accused young ranger friend is killed while supposedly trying to escape from jail, Hoppy is blamed and drummed out of the Texas Rangers.
-2
A young woman, who wants to be in the Follies, is making ends meet by working at a department store's sheet music department, where she sings the latest hits. She is accompanied on piano by her childhood boyfriend, who is in love with her, despite her single-minded interest in her career. When a vaudeville performer asks her to join him as his new partner, she sees it as an opportunity to make her dream come true. Upon arriving in New York City, our heroine finds out that her new partner is only interested in sleeping with her and makes this a condition of making her a star. Soon, however, she is discovered by a representative of Ziegfeld.
2
Postal inspectors track down money stolen from a railroad car.
-1
Insurance Investigator Roy is looking for Weston and the missing money he supposedly obtained in a robbery. When he catches him and listens to his story, he changes his mind about him. A freak accident locates the missing money box and they find the seal unbroken. Roy then announces the box will be opened at the showboat that evening.
-1
A feud between rival newspapermen Kruger (Bromberg) and McDonald (Guilfoyle) goes deadly when blackmailing McDonald ends up murdered and his corpse planted in the trunk of Kruger's car. Good guy Kruger attempts to hide McDonald's body, with the help of chauffeur Hogan (Jenks), to keep from being charged with murder. However, zany scenarios occur as the body just won't stay hidden, and keeps on popping up in multiple places where Kruger is located, leading to him hiding the body again and again while Kruger tries to find the real killer.
-2
A man of no worth brags to his daughter back East that he is rich and owns a big ranch. When she decides to pay a visit to her father, Roy and his buddies agree to pretend that the poor man is the owner of the ranch.
0
Someone wants to kill Magpie Harper. Crash and Dusty arrive too late, Magpie Harper is allready dead.
-4
Autry and his buddies have a horse selling business which is threatened by a tractor company which claims horses are out of date.
0
A singing cowboy clears a boy accused of murder by finding the real killer.
-1
Two men stumble into an old mansion, and get involved with a crazed scientist, torture chambers and sinister medical experiments.
-3
The old west range war story transported to Georgia, with Autry as the hero.
1
Mountie Matt O'Brien is assigned to escort Miss Owens to a remote outpost. But when he finds an illegal mining operation there that is smuggling gold across the border, his superior Sgt. Means orders him to leave.
0
A Professor has an invention that will bring down planes causing them to crash and Dawson is forcing him to use it on those carrying money. When Tim arrives to investigate he is mistaken for a noted outlaw. So he assumes that identity to force Dawson to make him a partner. But just as a plane bringing Tim help is arriving, his true identity is revealed and while he is a prisoner, Dawson forces the Professor to start his machine.
-4
Lorna Drake has inherited a ranch. Hoppy teaches her a bit about ranching and handles Scar Lewis, the bad guy, in the process.
-2
Tex is up against a group of hooded outlaws. When he shoots one, he uses the hood to infiltrate the gang. Almost caught by them, he escapes only to be arrested by the Sheriff who thinks he's one of the gang.
-1
The police arrest a man climbing over the wall of a cemetery after midnight. He claims that he is being blackmailed and is following instructions he received by mail to leave $1000 on a certain grave. It turns out that he's not the only one who got a blackmail letter from the same person--calling himself "The Black Panther"--and it also turns out that all the recipients are connected to an opera company.
-1
Drug dealer on the run from the law meets an innocent young girl and her brother, and turns them into “cocaine fiends”.
-1
Colonel Barkley is very proud of his assistant, Sergeant Doubleday, who has a photographic memory. Doubleday shows off his book knowledge on firearms during a class given by Sergeant Ames, embarrassing him. Through a series of misunderstandings, Colonel Barkley thinks the gun shy Doubleday is an expert marksman, and he sets him up in a shooting match against Ames and Sergeant Cobb.
-1
Sunny is a 1941 film American film directed by Herbert Wilcox. It was adapted by Sig Herzig from the Jerome Kern-Oscar Hammerstein II musical play Sunny. It stars Anna Neagle, Ray Bolger, John Carroll, Edward Everett Horton, Grace Hartman, Paul Hartman, Frieda Inescort, and Helen Westley.
1
Roy returns home to fine a range feud between the cattlemen and the sheepmen. When his friend is killed he finds the rifle had a defective pin. He learns the rifle belongs to a ranch hand named Barker and that a third party has caused the feud. When he captures outlaws trying to blow up a dam, he claims Barker was the killer. But Barker has switched rifles and the outlaws now accuse Roy and Roy finds himself in trouble.
-7
Clyde Beatty, an animal trainer and circus star, leads a search for his missing girlfriend and her father who were on an expedition looking for a lost tropical island. Using a dirigible as his mode of transportation, Beatty and his band head off in search of the missing explorers only to crash their airship on the same island their friends are located. Battling wild animals and a gang of greedy men searching for gold, Beatty and his party must rescue his girlfriend and father all the while trying to escape their jungle island.  Feature version of the same-title serial of the same year, with refilmed sequences substantially altering the plot and characters of the original chapterplay.
-3
A man wrongfully convicted of murder escapes custody and goes in search of the real killer. The problem is that he only has one clue to go on.
-3
A wealthy London nobleman hires a pretty but poor young girl to distract his playboy son from marrying a golddigger. Complications ensue when the girl and the father begin to fall for each other, and things get even more complicated when the son declares his love for her, too.
-2
The Rangers in New Mexico are being disbanded but Bob Houston gets them to make one more ride. They go after the outlaw gang led by Hashknife. They catch Hashknife, but he escapes taking Barbara with him and Bob and Slim have to go after him again.
0
On the French coast, unlucky Marie Galante is abducted and forced to board an American cargo ship bound for the Panama Canal. When an escape attempt leaves Marie high and dry in the Yucatan, she takes work as a nightclub singer to earn her safe passage to the Canal region. But Marie faces bigger problems when she gets mixed up in a destructive plot against the U.S. Naval fleet, and so she accepts the kindly assistance of secret agent Dr. Crawbett.
-1
A city boy arrives in his late mother's birthplace to discover the locals have been pestered by a cougar.
0
Tarzan retells the story of a trip to Guatemala in which the ape-man had gone to aid a friend in searching for a very valuable totem pole called the Green Goddess. Second of two feature versions of the 1935 serial film "The New Adventures Of Tarzan", culled from the serial's last 10 episodes.
1
A feature film.  Tarzan, who has returned to Africa after living in England, sets off to Guatemala in search of an old friend who may have survived a plane crash there. Also in Guatemala are Ula Vale and Major Martling who are out to find the riches of the Green Goddess. They join forces after they learn that a competitor, Raglan, has already set out ahead of them. Tarzan has to rescue everyone after they are taken prisoner. When they get to the hidden city, Tarzan finds his friend alive and the fabulous treasure.
1
Jo March and her husband Professor Bhaer operate the Plumfield School for poor boys. When Dan, a tough street kid, comes to the school, he wins Jo's heart despite his hard edge, and she defends him when he is falsely accused. Dan's foster father, Major Burdle, is a swindler in cahoots with another crook called Willie the Fox. When the Plumfield School becomes in danger of foreclosure, the two con men cook up a scheme to save the home.
-3
Ace Beldon is in prison, but with his stolen bonds not recovered, Capt. Saunders has an idea. He sends Graham to prison and has him and Beldon break out. With Ranger Raymond assisting, they make their escape and get to the hangout run by Stone. But the plan starts to go awry when Sam overhears Graham talking with the Captain and reports back to Stone.
-4
The hapless king of a small European nation must put up with a domineering queen, a daughter who wants to elope with her boyfriend, a peasant revolt and a scheming general.
-3
Gabby doesn´t want to breed his horse the Golden Sovereign with Roy's. When Sovereign and Roy's horse escape, the Sovereign get shoot accidentally by Skoville but Roy is blamed and jailed. A year later Roy returns with Trigger, the son of the Sovereign. When Skoville reveals he was present when the horse was shot, Roy sees an opportunity to clear his name.
2
A young, newly-appointed rookie state trooper, John Shields, is celebrating with his sister Jane, his younger brother Freddie and Tom Marlin, Jane's fiancé and also a trooper, when they hear over the radio that two bandits have just killed a lawyer and his watchman. John and Tom set out in their patrol cars in hopes of capturing the killers, followed by Freddie who hopes some day to qualify as a trooper. Freddie encounters the two two bandits, Spike Doland and Butch and manages to get away with the bag of gold they had stolen. While chasing Freddie they are recognized by John who they kill when he tries to arrest them. Freddie then takes matters into his own hands in seeking to capture the killers of his brother.
-3
Saunders with his Cattlemen's Protective Agency is running roughshod over the ranchers. Lawyer Larry Kimball is fighting him but he needs a rancher that will stand up with him against Saunders. He finds him when Lou Gehrig retires from baseball to take up ranching. Lou expects to relax on his ranch but quickly joins Larry in the fight.
1
The story of the rise of boxer Joe Thomas, which paralleled the life of Joe Louis.
0
Danny helps to capture a wanted criminal and receives a $200 reward. However, he has a falling out with the gang when they believe he should share the money with them. Complications ensue when the crook that Danny helped capture escapes from jail and comes looking for him.
-2
The son of a man sentenced to death for a murder he didn't commit vows to become a criminal himself. He starts his own street gang, and their crime spree is financed by a mysterious young man--who turns out to be the son of the District Attorney who sent the boy's father to the electric chair.
-5
In order to save her wealthy father from disgrace and a possible prison sentence, a daughter agrees to marry the gigolo who's been blackmailing him...
-1
Eleanor and her parents are hunting big game, acompanied by her wimpish fiance.
0
Hoppy and new sidekick California Carlson head to California to help out Lucky Jenkins.
1

0
Best friends Kenneth Reynolds and Raymond Jordan are U.S. Navy officers, and Kenneth is engaged to Raymond's sister. But the eruption of the Civil War divides them, as Raymond stands by his native Virginia while Kenneth remains on duty as a Northern officer. Kenneth's uncle, John Ericsson, designs a new kind of ship, an ironclad he calls the Monitor. Eventually the war pits Kenneth, on board the Monitor, against his friend Raymond, serving aboard the South's own ironclad, the Merrimac (as it is called here). A naval battle ensues, one that will go down in history.
1
When Tasker kills Roy Rogers he takes one of his young sons. Fifteen years later the other son Roy arrives buying a ranch in the valley where Tasker now controls the water supply. Roy organizes the ranchers for a showdown with Tasker not knowing that his brother is Tasker's chief henchman.
-2
Two pilots, who happen to be half-brothers, compete for the same girl as well as the same air cargo assignment.
1
Sandwiched in between the numerous musical numbers, the Gabby Whittaker and Madden rodeo's are competing for bookings. When Gabby gets a date in Albuquerque, Madden has his man destroy his equipment. Roy finds a broken rawhide rope at the scene and uses it to bring Madden to justice.
-5
A crooked real estate manipulator sells worthless land on mortgage to flood refugees, then tries to profit by reselling the land to the state, committing murder in the process, as the Three Mesquiteers work to bring him and his gang to justice.
-2
The village of Sleepy Hollow is getting ready to greet the new schoolteacher, Ichabod Crane, who is coming from New York. Crane has already heard of the village's legendary ghost, a headless horseman who is said to be searching for the head that he lost in battle. The schoolteacher has barely arrived when he begins to pursue the beautiful young heiress Katrina Van Tassel, angering Abraham Van Brunt, who is courting her. Crane's harsh, small-minded approach to teaching also turns some of the villagers against him. Soon there many who would like to see him leave the village altogether.
1
Before he was killed, Martin hid a half million dollars worth of bonds on his ranch. Brainard, who killed him, Inspector Carson posing as Sam Brown, and Martin's niece Margaret all want the ranch, and it's being sold at auction.
-1
A busload of passengers gets stranded in a snowstorm and take refuge in an abandoned church, where they run into a mysterious man who may be on the run from the law.
-1
Cholita, after a long absence in Mexico City, is returning home to take up her duties as head of the rancho and, as everyone expects, to marry her childhood sweetheart José. Expectations are somewhat dashed as she shows up with Fernando to whom she is engaged. This makes José and Cholita's uncle more than a little bit put out as Fernando is not only not a Mexican, he is also a city slicker afraid of the country.
-1
M'liss, a feisty young girl in a mining camp, falls for Charles Gray, the school teacher. Charles is implicated in a murder of which he is innocent, and the two must fight to save him from a lynching.
-1
El Puma, a Mexican desert guide, escorts an archaeological expedition headed by Professor Lucious Lloyd (Forrest Taylor through the Indian badlands of Mexico. Marian (Joyce Bryant (I)'), the professor;s niece accompanies the party as only she can translate the Aztec writings in the diary of her father, murdered on a similar expedition six years previous. THe professor is murdered by a knife, and the weapon is recognized as the property of El Puma. Magpie (Ben Corbett), a Federal Investigtor, knows that El Puma is really "Lightnin' Bill' Carson (Tim McCoy), a former federal agent who has been missing since Marian's father was slain. The reluctant Magpie believes that his old pal is guilty. Carson sets out to prove otherwise.
-4
Oliver's mother, a penniless outcast, died giving birth to him. As a young boy Oliver is brought up in a workhouse, later apprenticed to an uncaring undertaker, and eventually is taken in by a gang of thieves who befriend him for their own purposes. All the while, there are secrets from Oliver's family history waiting to come to light. Written by Snow Leopard
-3
The life of a young kid, who starts stealing small things to fit in with the "cool crowd".
0
A vivacious actress needing work becomes a housekeeper for a crusty retired politician, and gives his life the shaking-up that it needs.
2
A young boxer finds his life turned upside down when he meets with sudden success in the ring.
1
Aboard ship, a spoiled woman (Susan Hayward) insults the brutish stoker (William Bendix) while watching him work.
-2
After being run out of town after town for trying to sell worthless stock, two con artists breeze into the small town of Chesterville, where they find themselves accused of kidnapping a young boy to whom they offered a ride. When that misunderstanding is cleared up, the two conmen hatch a plot to unload all their worthless paper on the gullible citizens of Chesterville.
-3
The second and final Grand National Pictures film to feature The Shadow, played again by Rod La Rocque. In this version, Lamont Cranston is an amateur detective and host of a radio show with his assistant Phoebe (not Margo) Lane. Cabbie Moe Shrevnitz and Commissioner Weston also appear.
1
Western, featuring Rin Tin Tin Jr., about a man trying to find an old friend in a town that is trying to deceive him.
-1
Joe Beck leaves Central America so that he can return to Texas and collect a large inheritance, but he picks a dangerous ship on which to travel.
-1
Wanted by the law in New York, Dr. Steve Kells heads west and arrives in an area controlled by an outlaw gang known as the Border Legion. When the gang's boss is wounded, they kidnap Kells and force him to remove the bullet. Not allowed to leave and being a wanted man, he joins the gang. Now wanted as a gang member also, he nevertheless plans a raid that will lead the entire gang into a trap.
-1
A group of young men who work at an aviation factory begin to suspect that a doctor who runs an air ambulance service is secretly a spy transporting secret information from the plant to enemy agents.
-1
An evil ranch foreman tries to provoke a range war by playing two cattlemen against each other while helping a gang to rustle the cattle. Each cattleman blames the other for missing cattle. With the help of Bill Cassidy (Hop-along, because of an earlier bullet wound) and Johnny Nelson, the warring cattlemen join forces to do in the outlaws.
-4
Nelson Leigh assumes the role of Jesus Christ in this drama that depicts such historical events as the Sermon on the Mount and the Last Supper while portraying the period in which Christ roamed the countryside preaching the gospel.
0
A man posing as Mark Henry is after Henry's oil land but Henry's niece is part owner and he needs to marry her off to his henchman Slager. Mountie Jim Sullivan arives posing as a wanted man and is soon caught up in the plot when Slager, wanting everything for himself, kills his boss and makes Jim a prisoner.
-3
A prison trustee rescues a despondent executioner from a bar-room brawl, and is blamed for the fight by a tabloid reporter who actually started it, and loses parole, becomes embittered, and gets blamed for murder of guard.
-4
David Palmer, a young chemist, returns to his father's Indiana farm, to marry a local school teacher, Ruth Treadwell. David meets again his father's horse-trainer, Ben Lathrop, whose daughter, Cissy, has left high school to help her father. Palmer marries and becomes wealthy through an invention, and is able to indulge his socially-ambitious wife. His father dies and Palmer returns to Indiana, where his interest in harness-racing is rekindled, as is his interest in Cissy Lathrop.
0
The owner of an Illinois coal mine struggles to keep his business in operation, all the while unaware that among his employees is a saboteur planning destruction and chaos.
-3
A skip tracer--someone who collects late payments from people who've purchased appliances, etc., or takes them back them when they don't pay--repossesses a small radio from a deadbeat who's skipped payments. What he doesn't know is that a gang that has stolen diamonds from a Hollywood movie star has stashed them inside the radio, and they start hunting for him.
-2
A serviceman returns home at the end of WWII to discover his wife has become the head of her own very successful advertising agency. Comedy.
1
The seventh and final film of Frank Capra's Why We Fight World War II propaganda film series. This entry attempts to describe the factors leading up to America's entry into the Second World War.
0
Joe Palooka is a naive young man whose father Pete was a champion boxer, but his lifestyle caused Joe's mother Mayme to leave him and to take young Joe to the country to raise him.
0
Hoppy, Johnny and California go to Arabia to buy some horses. There they get involved with a sheik and a harem and a kidnapping plot.
-1
A fictionalized biography of famed Western outlaw Harry Tracy.
0
When Professor Marsh disappears while searching for the lost city of Lukachukai, his daughter enlists the help of the Three Mesquiteers.
-1
The owner of an Alaskan gambling boat and her business partner help thwart a crooked businessman who attempts to steal claims from local miners.
-3
Four survivors of a ship wreck are stranded on a deserted island, including a woman and the man she believes is responsible for the murder which her brother is in prison for.
-2
Ellery Queen solves a mystery involving a valuable stamp.
0
Kenneth Seeley, member of the U. S. State Department's Foreign Service Bureau, and Marge Weldon, a morale worker with the bureau, are assigned to an area in Mongolia dominated by an outlaw warlord. The latter captures the village where they reside and when escape is clearly impossible, Seeley blows up the outlaw's headquarters, losing his own life in doing so.
-3
Yen Sin, a humble Chinese, is washed ashore after a storm and finds himself an outsider in the deeply Christian fishing community of Urkey. Yen Sin elects to stay, despite his status as a despised 'heathen', only to reveal hypocrisy amid the self-righteous township.
-4
A Treasury Department engraver is being held captive by a counterfeiting gang that wants him to make counterfeit plates for them. A lawman is sent to rescue him.
0
The story of Cardinal Josef Mindzhenty, a Roman Catholic cardinal from Hungary who spoke out against both the Nazi occupation of his country during World War II and the Communist regime that replaced it after the war.
0
In this drama, a teenage boy and girl, tired of parental repression, begin sneaking out on dates and to parties. The parents are strict, but pay little real attention to their kids, therefore the kids turn to their high school biology teacher who is willing to really listen to their confidences.
-1
A miner who was swindled out of his mine by a banker turns to robbing stagecoaches. Several years after he is tracked down and killed, his son comes to town to tangle with the banker.
-2
Fur theives are looting the traps on the ranch where Roy is foreman and they have murdered one of Roy's friends.
-1
In his film debut Ritter is sent to investigate miners being killed and their mines confiscated. The culprit is Evans and after Tex joins the gang, he is sent to kill two more miners. When Estaban is killed, Tex is put on trial for all three murders.
-5
At the crook of a road leading to Success is the little hamlet of Sleepy Hollow; One day, the regular road is closed for repairs, and the detour forces traffic to pass through Sleepy Hollow on the way to Success. Passing through the town is Avarice and his beautiful bride Innocence who bestir the envy of the village blacksmith, Ambition. Following them along the road to Success, the smithy encounters a wishing tree which enables him to switch bodies with Avarice.
1
Aircraft are being shot down by a large black plane with a big "X" painted on the wing. The chief suspects are invited for the weekend to an old dark mansion.
-2
During World War II, the Canadian Navy gathered a troupe of diverse performers (dancers, comedians, singers, musicians) from its ranks and sent them off to entertain their shipmates, and the show/revue ultimately played London's Hioopodrome. The acceptance was based more on wartime-London's appreciation of the gallantry of Britain's sons and daughters from over the seas than it was on the artistic value of the show or the talent of the performers. The film is a fictional/fact mixture of the adventures of the troupe members, and the ending, only part filmed in Technicolor, is primarily the Revue as seen at the Hippodrome.
2
To get the three needed business men to visit the Stevens mine, Roy stages a ride with the Vacaros and has them as honored guests. Seeing a chance to make a lot of money, gangster Harmon joins the ride and then has his men kidnap the three. Having filmed a fake holdup earlier, he uses the film to convince the Sheriff that Roy and the boys were the Kidnapers.
-1
Arthur Moore, a missionary preacher, attempts to fit into the cowboy community so he can set up a church in the local saloon. Gwen, daughter of the "Old Timer," is injured in a stampede and loses her ability to walk. Though rejected by the townsfolk, the preacher's wisdom and love are needed if the young girl is to be healed. Shot in 'Vidor Village', Vidor's ill-fated studio property in California's High Sierra.
-2
Julie's husband has been murdered and land agents want her to sign away her property rights. Hoppy warns against this but she does so anyway. It looks as though she will be unable to deliver the timber called for in her agreement. Hoppy has to make the lumber deal happened and solve the murder.
-1
Jimmy, an idealistic and hard-working young man, has just arrived in New York City with dreams of making his fortune. Along the way he faces numerous obstacles, opportunities and temptations, but through it all, he considers the actions of his hero, Abraham Lincoln, for guidance. Will Jimmy see his dreams come true, or will he be another of the countless hopefuls chewed up and spit out by New York's mean streets?
3
Rancher entertains girl in Nevada to get a divorce. Then her gangster husband shows up.
0
Hoppy and Lucky are headed to South America to deliver a heard of cattle. Bay guy Ralph Merritt gets in their way. For a while.
1
When Sundown wins a horse race he is paid with a deed to a ranch. Arriving at the ranch he finds the Prestons already living there. They bought it from the fake land agent Taggart who then frames Sundown for murder.
-1
A cowboy looking for his missing father, poses as an outlaw and joins the gang he thinks is responsible.
-1
A small railroad is being squeezed out of business by the tactics of a trucking company owned by gangsters.
-1
An adaptation of Madame Bovary transported to Rye, New York in the 1930's. All characters have been renamed.
0
Deputies Gene Autry and Frog go up against modern cattle rustlers. These rustlers use technology such as, airplanes, radios and refrigerated trucks to steal the cows, butcher them in the field and ship them out before getting caught. This causes the town to bring in a modern NYC detective to catch the crooks, but will Autry and Frog be permanently out of a job?
-1
The professional gambler Ross Hadley is the owner of a posh gaming establishment in the heart of New York...
1
"Bilge" Smith (Richard Barthelmess), a tough sailor, meets Connie Martin (Dorothy Mackaill), a seamstress in a small harbor who has never had a boyfriend. Connie is instantly smitten. She invites Smith to dinner, where he dances with her and gives her a kiss. Connie has a hard time letting him go, and makes him promise that he will come back.
3
Claghorn gets into some financial difficulties and is forced by a machine-political gang to enter a race for state senator against his wife (Una Merkel) who appears to have a good chance to beat the political hack backed by the machine. Claghorn is in to siphon votes and ensure his wife's opponent will win and is expected to run a campaign that will defeat himself and his wife. But, he runs to win and the machine's henchies abduct him.
1
Chasing jewel thieves, Captain Carson and Magpie head for the border where Carson, posing as a Chinaman, opens a store that buys jewelry. To flush the thieves into the open, Carson wins all their money at poker. They agree to sell him the jewels but plan to kill him and keep both the jewels and the money.
0
A stock market broker plans to liven up his boring life by taking up piracy on the high seas.
-1
Charley Gray is about to be released from the state penitentiary after serving a long term for the robbery of a government gold shipment. The gold was never recovered, so the Texas Ranger chief has Ranger Panhandle Perkins planted in the prison as Charley's cell-mate in the hopes Charley will tell him where the loot is buried. Charley has a map of the location but is afraid it may be discovered so, while Panhandle is asleep, he draws a copy of it on the sole of Panhandle's foot. Charley then destroys the map but intends to keep "Panhandle" close to him upon their release from prison. Charley makes Panhandle accompany him back to the town where the rest of the hold-up gang is holed up. They go to the saloon owned by Steve Martin, also a member of the hold-up gang, but Charley was the one who buried the loot before he was captured and Charley has no intentions of divulging the location of the gold. Written by Les Adams
-2
Burton is after Clark's ranch. He gets the banker to refuse to renew Clark's note and then sends his men to rustle his cattle. Hoppy is Clark's new foreman and is on to Burton's scheme. But just as he learns of the rustling and is about to go after the gang, the Sheriff arrives and arrests him for hiding Johnny who has been accused of robbery.
-1
A spoiled New York playboy learns the values of life when he's sent by his father to work in a rural mining community in Canada.
0
The Rough Riders arrive to fight Rand, Ludlow and their gang. Buck poses as a preacher, Tim as a preacher, and Sandy as an undertaker. Buck not only wants the outlaws, but also their unknown boss.
-3
When a gang tries to rob Haldain, Jim and Walla Walla break it up. Haldain is carrying stuffed animals and Jim's suspicion that they are stuffed with gold is soon confirmed. The gang's boss is banker Cutting and he is after Haldain's gold. He also receives Jim's mail at his bank and changes one of Jim's letters to make it look like Jim is after the gold. His sends Haldain's daughter after her father thereby leading the gang to the secret gold field.
4
Brade has hired Rattler Haynes to kill Tom Shaw. But when Shaw intercepts a message between the two, he alters it hoping it will cause the two outlaws to fight each other.
-2
Canadian Mountie Mason is sent south of the border to look for a horse thief with only a watch chain for evidence. He befriends young Andy and when Calhoun hits Andy, Mason and Calhoun fight. In the scuffle Calhoun's watch with the missing chain is dislodged. Mason then sets out to bring in Calhoun and his gang.
0
A conman arrives in town trying to sell his miracle methods of weight loss to the ladies. It's left to the good Dr. Christian to expose this fake and save a fragile young girl's life.
-1
The son of Sheriff Clay Hartley, of the frontier town Elder, has gotten into bad company and hangs out with an outlaw gang in which, Collins, owner of the Golden Rule Saloon, is the secret head. Sheriff Hartley suspects him, but has been unable to gather the needed evidence. Collins instructs his gang, including young Hartley, to hold up the stagecoach on its return trip from Missionary Flats and take the cargo of gold dust it is carrying. Sheriff Hartley is notified of the planned holdup by one of his deputies who has been spying on Collins, and organizes a posse. A deputy-sheriff is killed in the ensuing gunfight between the lawmen and the outlaws, but Deputy Joe Larkin, pursues and captures Clay Hartley Jr. The latter is quickly tried and convicted of the killing of the deputy, and sentenced to be hung. Sheriff Hartley has only a few hours to prove his son was not the killer. He enlists the aid of Collins' step-daughter, Joan, who is in love with Hartley's son.
-8
The first of six films in the "Dr. Christian" series, starring Jean Hersholt as a small town doctor trying to convince local officials to approve funds for a new hospital.
1
At a high-society dinner party, a wealthy, older and married man sets his sights on a beautiful young girl who's loved by a younger and not-so-wealthy man.
3
Prizefighter Jimmy Nolan, facing an opportunity to get a championship fight, is knocked out when he sustains what is apparently a permanent injury to his arm. From there, Nolan's path leads downhill. He is drawn into a romance with a nightclub entertainer, then is framed on a theft charge by a jealous suitor. After his prison term, Nolan makes a spectacular comeback in a fight which proves his courage and integrity, while disproving the fallacy about the old sports adage that "they never come back."
-2
In Junction 88, a small all-black community, pretty Lolly Simpkins loves gentle songwriter Buster Jenkins, who makes too little money to marry. Her father favors rival suitor Onnie, crude but with a better income. Buster's best chance comes when impresario Bob Howard, to whom he's sent songs, comes to town looking for him. But Bob is looking for a pseudonym, 'Hewlett Green', that nobody's ever heard of. Will Buster reveal himself? Meanwhile, a very jazzy church concert.
4
Jolley is the leader of the Devil's Brand gang of rustlers. When Molly Dawson sends for the Texas Rangers, Tex, Jim, and Panhandle arrive pretending not to know each other. But eventually their identities become known and they are captured by the gang. - IMDb
-1
Hearing his brother the Express Clerk is in trouble, Bob Williams rides to the Express Office only to find the safe open, his brother and the money missing, and himself accused of the robbery. To clear himself he trails and finds the outlaws engaging them in a fight. But during the melee, the gang leader double-crosses his men and sneaks away with the money and Bob now has to catch him.
0
Bill Hickok, assisted by Calamity Jane, is after a foreign agent and his guerrilla band who are trying to take over some western territory just as the Civil War is coming to a close.
-1
A burlesque stage show at the Follies Theater in Los Angeles, California, featuring the original Hubba-Hubba Girl, Evelyn West.
0
Wildcatter Johnny Maverick and his pal go to a town in oil country offering $25,000 to the person who brings in the first well. They find oil on the outskirts but have to sell a share to a promoter who hires Johnny's old enemy.
1
A wagon train is robbed by a gang of bandits who kill everyone but a pair of young brothers. Years later, the brothers join force to bring the bandits' leader to justice.
-1
Hoppy is leading a scientific expedition and the Chinese who have a hidden settlement nearby are trying to stop them. Saulters and his outlaw gang are also in the area looking for a gold mine. When Saulters men attack, the gold mine is found. Hoppy agrees to file for the Chinese and heads after Saulters in the chase to the land office.
1
Cowboy infiltrates an outlaw gang to expose their rackets, but after he's ordered to kidnap a young girl, the gang finds out who he really is.
-1
A lawman infiltrates a gang of racketeers.
0
Tyler is a range detective whose brother stands accused of robbing a bank and murdering the bank president. To prove him innocent, Tyler must decipher his only clue, an unusual set of tire tracks.
-1
Judy Walker is a poor songwriter who, through mistaken identity, gets her songs played on the radio.
-2
A card sharp steps in when a Mexican family's ranch is threatened by swindlers and cheats.
0
A wild stallion (Rex the Wonder Horse) becomes the protector of a prospector and his foster daughter as two thugs plot to steal their claim.
-3
"Hey, kids, let's get together and put on a show!" That's the idea behind this raucous spoof about a vaudeville performer who's sent to college to spy on his bratty son.
0
Johnny Mack Brown and Raymond Hatton return to the screen as saddle pals Nevada and Sandy in Monogram's Pals of the Border. In this one, our heroes are US marshals, hot on the trail of cattle rustlers.
2
Lum and Abner work at a general store in Arkansas. There they get involved in some misadventures with the locals.
1
The survivors from a plane crash are washed up on an island where the only inhabitants are Mr. Taylor and his servant, Ping. The mismatched group must learn to get along and work together if they are to convince Taylor to let them borrow his boat and return to the main land.
1
A Canadian Mountie allows an innocent fugitive to escape with the women he loves.
0
Lambert has the stagecoach wrecked killing the Commissioner so his phony replacement can alter Coonskin's land survey. When Red Ryder exposes the survey hoax, Lambert has his stooge Sheriff put Red in jail.
-4
Billy the Kid and Fuzzy Jones are on their way out of Arizona being chased by some riders who hope to cash in on the reward money for their capture. They are warned in time by Ed Dawson, but Ed is wounded in the getaway. They get a doctor to attend to Ed. The latter tells them there is a range war in progress across the border and that he is looking for men to help make a cattle drive to the rail junction.
-1
A boxer is framed for murder after an opponent dies in the ring.
-2
Belle Langtry runs a town being taken over by cattle rustlers. She is also a front for the outlaws, who are led by Steve Fraser. Hoppy gets elected sheriff and cleans up the town with help from the Bar 20 boys.
1
Exploitation film-maker Bud Pollard appears on screen to tell us of Bing Crosby's rise to fame, using scenes from four early Crosby shorts to illustrate his fictional biography.
-1
The nosy antics of a honeymooner puts an unwed couple in the same room.
0
A boy's family is wiped out in an Indian massacre of a wagon train and he is captured. He befriends a wild colt. Years later, following his escape, he is recaptured by Indians who force him to fight their vicious devil horse . The horse looks somewhat familiar.
-4
Billy joins an outlaw band led by woman to clear his name of their crimes, which are being blamed on him.
0
A phantom-like gunman is murdering the hands at the Circle T Ranch and the Range Busters are recruited by its owner to stop the "phantom". Only, the ranch owner is killed before they can arrive. First film in the Range Buster series.
-1
After graduating college an aspiring photographer lands his first job--with a big city newspaper.
0
Jack Oakie plays Eddie Doyle, a gumball machine salesman who marries Pat Smith (Shirley Grey) knowing full well that the girl is on the rebound from a failed romance with aspiring Jewish doctor Max Silver (Leon Ames). But when Pat is nearly killed in an effort to protect her husband's gumball machines from hoodlums and is in need of a lifesaving operation, Eddie calls on Dr. Max
0
Frankie Reynolds (Frankie Darro' ), youngest member of a family of jockeys, borrows $4.85 (yes, four dollars and eighty-five cents) from his sister Phyllis (Gladys Blake), who is not a jockey, to buy a crippled colt from the stables owned by Clay Harrison (Kane Richmond). He nurses the colt back to health, and in two years has one of the fastest horses in the country.
1
A crooked real estate tycoon tricks a trusting young woman out of her small candy store. When he is found dead, the girl is suspected of the crime.
-3
A successful songwriter and a struggling singer become involved professionally and romantically on the road to stardom.
1
A temperamental movie star storms off the set of her latest picture in order to carry on a fling with an ambitious, publicity-hungry prizefighter.
1
Ranch owner Sandra, fresh from animal husbandry school, brings a flock of sheep into cattle country. The local ranchers don't like it, and ranch foreman Gene must deal with it.
2
Stony's brother George has been accused of murder and the Mesquiteers have returned to prove his innocence. But they find that Harvey rules the town along with his stooge Sheriff Gray and that George won't get a fair trial.
-1
"The Rough Riders", has U. S. Marshals Buck Roberts (Buck Jones) and Tim McCall (Tim McCoy) coming to a Texas town to visit their friend, U. S. Marshal Sandy Hopkins (Raymond Hatton), only to learn that he has disappeared, and is suspected of the murder of John Dodge (Jack Daley), owner of practically the whole town, except the hotel Sandy owns and runs when he isn't on an assignment as a Marshal. The murder has been committed by the henchmen of Bart Logan (Harry Woods), who intends to take over the dead man's property and whose men are holding Sandy prisoner to make it appear that he fled after arguing with and killing Dodge. Just before the murder, Logan sent a letter to Dodge with the news that the latter's long-missing wife is returning, and in a short while, Stella (Lois Austin), a Logan accomplice, arrives posing as the missing Ann Dodge, thus establishing her right to the Dodge property. Sandy, allowed to escape, returns ... Written by Les Adams
-6
Harold Russell, an American soldier who lost his hands in a training accident, tells the story of his medical rehabilitation at Walter Reed Army Medical Center in Washington DC, how he and his fellow amputees at the hospital at first despaired and then found new hope in the prostheses and training available to amputees through the Army's medical corps. Russell learns to wear and to operate the hooks which replace his hands and becomes competent to perform many tasks he had once thought no longer possible. Discharged from the Army, he is welcomed into Boston College by college president William J. Murphy, S.J.
0
A poor young man's girlfriend leaves him for a gangster, who has the money and power she wants and the young man doesn't have. Determined to show her that he can be a success--and how much of a mistake she made by leaving him--he starts up a newspaper distribution business that is soon the biggest in the city, but things don't turn out exactly the way he wanted them to.
-2
A spunky young bellhop investigates the murder of a hotel guest.
-1
A filmed variety show featuring the Dizzy Gillespie Orchestra with special guests.
0
Right after the Civil War, an ex-Union soldier sets out to become a schoolmaster in his small town, even though many locals still harbor a resentment against "Yankees". He goes up against the town bully, who both want the same girl, and his troubles multiply when a vicious band of nightriders set out to drive him out of town.
-3
In the 17th of the 24 films in Monogram's "Range Buster" series, Texas ranch owner Conroy returns from Washington with an order for horses to be shipped to the Philippines. The Range Busters, Dusty, Davy and Alibi, are selected to take the horses there but, before leaving, they capture three spies who are trying to steal the horses and also learn that the ranch cook, Cookie, is a Japanese spy, but he manages to escape. In the Philippines, they go to a café for dinner and see Cookie and Miller, a German spy. Eavesdropping, they learn that Ken Richards, a neighboring Texas rancher, is the Axis contact back in the states. They capture Cookie and break up the spy ring in the Phillipines, and then return to Texas intent on settling matters with Richards. They do so and are honored by the U.S. Government just as the radio blares forth the December 7, 1941 announcement of the Pearl Harbor bombing. They head for the nearest enlistment station.
-2
Ranger Ray plans to marry stage driver Bill Mason's daughter Mary, but there are problems ahead....
-1
A lawman poses as an outlaw, steals $10,000 from a cattle thief, then promises to return the money if he can join the gang--while finding a way to expose them.
-1
Family heartbreak: A dedicated New York City policeman raises two sons, one following in his dad's footsteps as a cop while the other turns to crime and is arrested for murder.
-1
A down-on-his luck actor teams up with a singing barber to do a vaudeville act. Its success eventually leads them to Broadway, but things start to go awry.
3
Rancher "Utah" Neyes crosses the border into Canada to meet his partner, only to find that the latter has been murdered by a gang led by "Nails" Nelson. "Utah", with the aid of RCMP Jack Craig and fur-trapper Ivy Jenkins, manages to clear his own name of suspicion and also break up Nelson's fur-stealing and smuggling racket.
0
The Government sends Dean, Baxter, and Gordon to investigate a series of train holdups. Travis is behind the robberies and they are soon on his trail. When things get hot, Travis has a plan of double-crossing his own men that will enable him to keep not only his gold but also the money it is insured for.
2
Canadian Mountie investigates a murder posing as a criminal.
-2
Director Robert Florey's 1932 melodrama about a woman who suspects her husband of infidelity stars Mary Astor, Kenneth MacKenna, Tommy Conlon, Lilyan Tashman, Hale Hamilton, Cecil Cunningham and Virginia Sale.
0
The Three Mesquiteers fight cattle rustlers.
0
This documentary follows a group of adventurers into the Amazon jungle as they attempt to catch animals to be shipped to zoos in the USA.
0
Customs agents track a ring of arms smugglers into Hong Kong.
0
The teenage daughter of a puritanical Reverend promises him she will not marry until she is older, but after a night of heavy drinking she wakes up to find she has a husband.
1
Two members of a dynamite crew--a rugged veteran and a young college drop-out--finds themselves at odds regarding safety precautions for their co-workers.
-1
Louisa May Alcott's autobiographical account of her life with her three sisters in Concord, Massachusetts in the 1860s. With their father fighting in the American Civil War, sisters Jo, Meg, Amy and Beth are at home with their mother, a very outspoken women for her time. The story tells of how the sisters grow up, find love and find their place in the world.
1
It is the story of a comedian Lem Anderson who dreams of playing in Shakespeare scenes but he is applied only role in Harlem Vaudeville. One day he is the witness of a crime and the mobster strongly advised him to leave the town...
-2
High-stepper Earl Hastings is continually mistaken for his twin brother, Ezra, a meek professor at a girls' seminary, and his constant flirtations in and around the dormitories--most notably with the daughter of the dean--involve Ezra in several compromising situations. Finally, a woman pursuing Earl for breach of promise unscrambles the twins with the help of the dean's daughter.
0
The trials and tribulations of a group of newly sworn-in police officers.
0
When two showgirls decide to leave South America and head for home, they sweet talk the purser of a clipper ship into giving them berths. In the course of the voyage, a band of thieves attempts to take over the ship and make off with its cash cargo. The heroic purser has other ideas and weighs in to save the day.
2
A cross-dressing farce, adapted from "Madame Lucy" by Jean Arlette, in which to help a friend in a lawsuit, Jack Mitchell disguises himself as the mysterious "Madame Brown," a missing witness important to the case of the plaintiff. He attracts the romantic attention of two old roués and one hot Broadway showgirl.
1
Ceylonese natives are forced to flee into the dangerous jungle after an attack by swarms of vicious vampire bats.
-4
While trailing Forest Ranger Charles Carter, who is suspected of permitting lumber man Henry Mitchell to cut restricted timber, Gene fires at a dangerous mountain lion and apparently kills Carter. Actually, Bill Wright, Mitchell's associate, killed Carter because the ranger had discovered tussock moth infestation in the forest, and if the infestation was not reported, the trees would die and have to be cut, thereby profiting Mitchell and Wright. In order to compensate the best he can, Gene sells his sportsman's camp and gives the money to Carter's daughter Helen . En route to Texas, Gene discovers the infestation and is assigned by the Forest Department to supervise the program of spraying the area with DDT from the air. After the first day of spraying, the DDT is blamed by furious stock men for the many animals found dead of poisoning.
-6
The screenplay for this mystery is based upon a story suggested to Liberty Magazine by President Franklin D. Roosevelt. It is the tale of a prominent lawyer who shocks his snooty friends, family and colleagues by abruptly abandoning his successful practice and his wife to find true happiness. He soon falls in love with another woman and continues to keep a low profile until he learns that his first wife stands accused of murdering him
1
Hanley shoots a man and then frames Bill Roberts. Being the Judge he then holds court planning to hang Bill but Bill's friends effect his escape. Andy tries to lead Hanley astray by misleading him as to Bill's location. But Bill changes plans and Hanley catches up with him and this leads to the showdown.
-2
Outlaws of Sonora is a 1938 American Western "Three Mesquiteers" B-movie directed by George Sherman.
-1
When the chemical company owned by eccentric Professor Higginbottom files for bankruptcy, the formerly-affluent family loses its income. Levelheaded oldest daughter Lambie struggles to make ends meet but has trouble persuading her carefree, profligate siblings to cut down on their spending. Youngest brother Dick enters a motorcycle race to win $500, but crashes his bike on the speedway and is paralyzed. Shocked into reality by the tragedy, Lambie's younger sister Babs persuades ex-prizefighter Gunboat Bimms to enter the ring one last time in hopes of winning a purse that will pay for Dick's surgery.
-7
Chip has inherited a supposedly worthless gold mine from her father and Craig Allen is about to buy it. Roy suspects the mine may be valuable and using a clue left by Chip's father, investigates. He finds the hidden shaft that contains the gold and with the posse chasing him on a trumped up robbery charge, races to town with ore samples hoping to get there before the ownership is transferred.
1
Unsuccessful gambler 'Dollar Bill' Burton lives in a crummy New York basement room with old friend Bob and a new roommate, friendly blues singer 'Alabama' Lee. But, tired of being broke, Dollar Bill gets more steady employment...doing illegal errands for gangster Bad Boy George. The now prosperous Bill ignores pretty, adoring Etta and takes up with sultry singer Regina. Will Bill's way of life catch up with him? Will his upright friends be more successful in the end?
-1
Gene and Frog arrive with a herd of horses for Gene'e brother, a diamond prospector whose work has attracted the interest of a bunch of badguys.
1
Part of a a video series that documents the fighting between the United States and Imperial Japan during and immediately after World War II.
0
When the miners of Roaring Camp become Godfathers to a motherless baby, they name the boy Luck and promise to set aside money for him from their diggings. But when they strike it rich the money is gambled away instead.
2
A Spanish-American boy raised by his Mexican servant, Clay Hill, Jr. vows vengeance on the three ranchers who murdered his parents.
-1
Two young clerks in a department store meet and fall in love during a seaside vacation in Maine, but part as strangers because, unknown to each other, both had been masquerading as upper-class 'swells', just to see how the better half lives.
-1
The popular B-flick team of Frankie Darro and Kane Richmond star in the slick quickie Headline Crasher. Little Frankie and Big Kane play a pair of roving journalists who investigate a politician (Richard Tucker) up for re-election. When it seems as though the politico is being set up for a fall by yellow journalists, Darro and Richmond try to get to the truth of the matter. The original story for Headline Crasher is credited to Peter B. Kyne, creator of the "Broncho Billy" western stories.
1
Kalmus is after the freight contract held by Summers. When his gang kill Summers, Tex and Duke step in to help Madge keep the freight line going. When they foil the gang's further attempts, Kalmus gets the Judge to jail the two.
-1
A man known as The Drifter returns home to his cabin in the woods and winds up getting involved with an escaped convict, a gunfighter, lumber company rivals, mysterious family ties and murder.
-3
The ranch of Red Ryder (Allan Lane) and his aunt, The Duchess (Martha Wentworth), is being used as the training site for "Gentleman Jim" Corbett (George Turner) for his upcoming fight in Carson City, Nevada for the heavyweight championship against Bob Fitzsimmons (John Dehner). Molly McVey (Peggy Stewart), the daughter of a U.S. Senator, crusading against prize-fighting in Nevada, complicates matters soemwhat when she conceives the bright idea of having Corbett kidnapped, thus causing the cancellation of the fight. The two men (George Chesebro and George Lloyd) she hires to do the kidnapping also add to the complications by kidnapping Ryder instead of Corbett. Meanwhile, a gang of crooks, led by McKean (Roy Barcroft), descend on the town intent on looting the town and also making off with the fight proceeds.
0
Chet Kasedon is after the Indians hidden gold mine but Chief Moya will not reveal it's location. He has also hired mining engineers Gale and Mortimer to locate the mine. When Gale sees Kasedon's cruelty to Moya, he switches sides.
0
Doran and the Sheriff have a scheme to bring in an outlaw gang. Doran is sent to prison so he and the gang leader Mitchell can break out. This gets him into the gang but he is in trouble when it's revealed he is working with the Sheriff.
-4
A handsome radio singer has it all--fame, money, adoring fans--but what no one knows is that his accompanist, a hunchbacked piano player, is actually the voice behind the arrogant, abusive "singer"'s fame. The two men fall for the same girl, and when the singer turns up dead, suspicion falls upon his assistant and the girl.
-2
A struggling songwriter (Billy Daniels) abandons his girlfriend (Sheila Guyse) for a flashy woman (Tondeleyo) after landing a hit.
0
A pilot and his dog crash-land on an island run by a psycho who owns a motel--and most of the locals.
0
Bradley and sidekick Sharpe are sent west to investigate the murders of pony express riders who are being killed to prevent the Spanish Land Grant papers going to Washington for registration.
-2
A hillbilly moonshiner enlists in the army. Monogram Pictures' comedy was inspired by the then-popular comic strip character.
0
Philip Wells and his wife Helen argue a lot about the attention that Philip thinks Helen and his best friend, Dave Burton, are giving each other, but they all sail off together on Philips yacht, until "Gorilla"Larsen and his motley crew show up, scuttle the yacht, and marital-strife is no longer the issue of the day.
0
Tom Evans is a young cowboy orphaned by a band of rustlers. Seeking revenge, Tom pretends to be a notorious ex-con and manages to worm his way into the gang in order to get the goods on the bunch.
-2
In this western, a rancher's son rides out for revenge against the rustlers who killed his father. The pursuit stretches between Montana to Arizona and it becomes more difficult because though the son knows the killer's name, he has never seen his face. Fortunately, the killer doesn't know what the son looks like either.
-3
An emergency at his Aunt's ranch gets Ed Randall leave from the Navy. He returns to find the water cut off and her note due the next day. When the man he seeks legal advice from is murdered, Ed is accused and he now finds himself in jail with a lynch mob forming outside.
-1
Shirley Martin finds that Weylan has diverted the water from the valley and her cattle are dying. First she and her foreman Bob Lawson go to court. This fails when Weylan's men keep the ranchers from testifying. But Shirley has a second plan to return water to the valley.
-2
Jeff arrives in town to see the Sheriff only to find him just killed. The culprit is Clay Wheeler. When Jeff becomes friendly with Letty, Clay sends his man Ortega to kill him. Jeff foils the attempt and gets him to confess that Clay was the killer. With only old-timers Lafe and Bill to help, Jeff heads after Clay and his gang.
-4
Documentary short film depicting the American assault on the Japanese-held island of Iwo Jima and the massive battle that raged on that key island in the Allied advance on Japan. Four cameramen died bringing this footage to the public
-2
A series of unrelated stories containing drama, psychological thriller, fantasy, science fiction, suspense, and/or horror, often concluding with a macabre or unexpected twist.
-4
Star Trek is an American science fiction television series created by Gene Roddenberry that follows the adventures of the starship USS Enterprise and its crew.

The show is set in the Milky Way galaxy, roughly during the 2260s. The crew is headed by Captain James T. Kirk, first officer Spock, and chief medical officer Leonard McCoy. Shatner's voice-over introduction during each episode's opening credits stated the starship's purpose:

The series was produced from 1966-67 by Desilu Productions, and by Paramount Television from 1968-69. Star Trek aired on NBC from September 8, 1966 to June 3, 1969. Although this television series had the title of Star Trek, it later acquired the retronym of Star Trek: The Original Series to distinguish the show within the media franchise that it began. Star Trek's Nielsen ratings while on NBC were low, and the network canceled it after three seasons and 79 episodes. Nevertheless, the show had a major influence on popular culture and it became a cult classic in broadcast syndication during the 1970s. The show eventually spawned a franchise, consisting of five additional television series, 12 theatrical films, and numerous books, games, toys, and other products.
2
The defense and the prosecution have rested and the jury is filing into the jury room to decide if a young Spanish-American is guilty or innocent of murdering his father. What begins as an open and shut case soon becomes a mini-drama of each of the jurors' prejudices and preconceptions about the trial, the accused, and each other.
-2
Cuban Bandleader Ricky Ricardo would be happy if his wife Lucy would just be a housewife. Instead she tries constantly to perform at the Tropicana where he works, and make life comically frantic in the apartment building they share with landlords Fred and Ethel Mertz, who also happen to be their best friends.
2
As the railroad builders advance unstoppably through the Arizona desert on their way to the sea, Jill arrives in the small town of Flagstone with the intention of starting a new life.
-1
The Andy Griffith Show is an American sitcom first televised on CBS between October 3, 1960 and April 1, 1968. Andy Griffith portrays the widowed sheriff of the fictional small community of Mayberry, North Carolina. His life is complicated by an inept, but well-meaning deputy, Barney Fife, a spinster aunt and housekeeper, Aunt Bee, and a precocious young son, Opie. Local ne'er-do-wells, bumbling pals, and temperamental girlfriends further complicate his life. Andy Griffith stated in a Today Show interview, with respect to the time period of the show: "Well, though we never said it, and though it was shot in the '60s, it had a feeling of the '30s. It was when we were doing it, of a time gone by."

The series never placed lower than seventh in the Nielsen ratings and ended its final season at number one. It has been ranked by TV Guide as the 9th-best show in American television history. Though neither Griffith nor the show won awards during its eight-season run, series co-stars Knotts and Bavier accumulated a combined total of six Emmy Awards. The show, a semi-spin-off from an episode of The Danny Thomas Show titled "Danny Meets Andy Griffith", spawned its own spin-off series, Gomer Pyle, U.S.M.C., a sequel series, Mayberry R.F.D., and a reunion telemovie, Return to Mayberry. The show's enduring popularity has generated a good deal of show-related merchandise. Reruns currently air on TV Land, and the complete series is available on DVD. All eight seasons are also now available by streaming video services such as Netflix.
4
Gunsmoke is an American radio and television Western drama series created by director Norman MacDonnell and writer John Meston. The stories take place in and around Dodge City, Kansas, during the settlement of the American West. The central character is lawman Marshal Matt Dillon, played by William Conrad on radio and James Arness on television.
0
Louie De Palma is a cantankerous, acerbic taxi dispatcher in New York City. He tries to maintain order over a collection of varied and strange characters who drive for him. As he bullies and insults them from the safety of his “cage,” they form a special bond among themselves, becoming friends and supporting each other through the inevitable trials and tribulations of life.
-4
A commanding officer defends three scapegoats on trial for a failed offensive that occurred within the French Army in 1916.
-3
Joe Buck is a wide-eyed hustler from Texas hoping to score big with wealthy New York City women; he finds a companion in Enrico "Ratso" Rizzo, an ailing swindler with a bum leg and a quixotic fantasy of escaping to Florida.
-2
In 1950s Milwaukee the Cunningham family must contend with Fonzie, a motorcycle riding Casanova.
-1
America's popular television News magazine in which an ever changing team of CBS News correspondents contribute segments ranging from hard news coverage to politics to lifestyle and pop culture.
0
A bookish CIA researcher finds all his co-workers dead, and must outwit those responsible until he figures out who he can really trust.
1
Near the end of the Korean War, a platoon of U.S. soldiers is captured by communists and brainwashed. Following the war, the platoon is returned home, and Sergeant Raymond Shaw is lauded as a hero by the rest of his platoon. However, the platoon commander, Captain Bennett Marco, finds himself plagued by strange nightmares and soon races to uncover a terrible plot.
-3
A young couple, Rosemary and Guy, moves into an infamous New York apartment building, known by frightening legends and mysterious events, with the purpose of starting a family.
-3
Bud Baxter is a minor clerk in a huge New York insurance company, until he discovers a quick way to climb the corporate ladder. He lends out his apartment to the executives as a place to take their mistresses. Although he often has to deal with the aftermath of their visits, one night he's left with a major problem to solve.
-2
Camp counselors are stalked and murdered by an unknown assailant while trying to reopen a summer camp that was the site of a child's drowning.
-2
Carrie White, a shy and troubled teenage girl who is tormented by her high school peers and her fanatically religious mother, begins to use her powers of telekinesis to exact revenge upon them.
-4
Agent 007 is back in the second installment of the James Bond series, this time battling a secret crime organization known as SPECTRE. Russians Rosa Klebb and Kronsteen are out to snatch a decoding device known as the Lektor, using the ravishing Tatiana to lure Bond into helping them. Bond willingly travels to meet Tatiana in Istanbul, where he must rely on his wits to escape with his life in a series of deadly encounters with the enemy.
-2
A disparate group of individuals takes refuge in an abandoned house when corpses begin to leave the graveyard in search of fresh human bodies to devour. The pragmatic Ben does his best to control the situation, but when the murderous zombies surround the house, the other survivors begin to panic.
0
A senator, who became famous for killing a notorious outlaw, returns for the funeral of an old friend and tells the truth about his deed.
-2
When widower Mike Brady marries a lovely lady widow Carol Ann, their two families become one. These are the misadventures of this new couple, their six children, a dog named Tiger, and quirky housekeeper Alice.
1
Frank Serpico is an idealistic New York City cop who refuses to take bribes, unlike the rest of the force. His actions get Frank shunned by the other officers, and often placed in dangerous situations by his partners. When his superiors ignore Frank's accusations of corruption, he decides to go public with the allegations. Although this causes the Knapp Commission to investigate his claims, Frank has also placed a target on himself.
-6
Mission: Impossible is an American television series that was created and initially produced by Bruce Geller. It chronicles the missions of a team of secret government agents known as the Impossible Missions Force. In the first season, the team is led by Dan Briggs, played by Steven Hill; Jim Phelps, played by Peter Graves, takes charge for the remaining seasons. A hallmark of the series shows Briggs or Phelps receiving his instructions on a recording that then self-destructs, followed by the theme music composed by Lalo Schifrin.

The series aired on the CBS network from September 1966 to March 1973, then returned to television for two seasons on ABC, from 1988 to 1990, retaining only Graves in the cast. It later inspired a popular series of theatrical motion pictures starring Tom Cruise, beginning in 1996.
1
A group of strangers come across a man dying after a car crash who proceeds to tell them about the $350,000 he buried in California. What follows is the madcap adventures of those strangers as each attempts to claim the prize for himself.
-3
In 1947, four German judges who served on the bench during the Nazi regime face a military tribunal to answer charges of crimes against humanity. Chief Justice Haywood hears evidence and testimony not only from lead defendant Ernst Janning and his defense attorney Hans Rolfe, but also from the widow of a Nazi general, an idealistic U.S. Army captain and reluctant witness Irene Wallner.
-1
When Leonard Vole is arrested for the sensational murder of a rich, middle-aged widow, the famous Sir Wilfrid Robarts agrees to appear on his behalf. Sir Wilfrid, recovering from a near-fatal heart attack, is supposed to be on a diet of bland, civil suits—but the lure of the criminal courts is too much for him, especially when the case is so difficult.
-3
Beth, Calvin, and their son Conrad are living in the aftermath of the death of the other son. Conrad is overcome by grief and misplaced guilt to the extent of a suicide attempt. He is in therapy. Beth had always preferred his brother and is having difficulty being supportive to Conrad. Calvin is trapped between the two trying to hold the family together.
-5
Holly Golightly is an eccentric New York City playgirl determined to marry a Brazilian millionaire. But when young writer Paul Varjak moves into her apartment building, her past threatens to get in their way.
-1
African-American Philadelphia police detective Virgil Tibbs is arrested on suspicion of murder by Bill Gillespie, the racist police chief of tiny Sparta, Mississippi. After Tibbs proves not only his own innocence but that of another man, he joins forces with Gillespie to track down the real killer. Their investigation takes them through every social level of the town, with Tibbs making enemies as well as unlikely friends as he hunts for the truth.
-5
Special agent 007 comes face to face with one of the most notorious villains of all time, and now he must outwit and outgun the powerful tycoon to prevent him from cashing in on a devious scheme to raid Fort Knox -- and obliterate the world's economy.
-1
The young Harold lives in his own world of suicide-attempts and funeral visits to avoid the misery of his current family and home environment. Harold meets an 80-year-old woman named Maude who also lives in her own world yet one in which she is having the time of her life. When the two opposites meet they realize that their differences don’t matter and they become best friends and love each other.
1
In this film based on a Neil Simon play, newlyweds Corie, a free spirit, and Paul Bratter, an uptight lawyer, share a sixth-floor apartment in Greenwich Village. Soon after their marriage, Corie tries to find a companion for mother, Ethel, who is now alone, and sets up Ethel with neighbor Victor. Inappropriate behavior on a double date causes conflict, and the young couple considers divorce.
-1
Passengers who search for romantic nights aboard a beautiful ship travelling to tropical or mysterious countries, decide to pass their vacation aboard the "Love Boat", where Gopher, Dr. Bricker, Isaac, Julie, and Captain Stubing try their best to please them, and sometimes help them fall in love. Things are not always so easy, but in the end, love wins.
6
An ambitious young skier, determined to break all existing records, is contemptuous of the teamwork advocated by the US coach when they go to Europe for the Olympics.
0
The Odd Couple is a television situation comedy broadcast from September 24, 1970 to March 7, 1975 on ABC. It stars Tony Randall as Felix Unger and Jack Klugman as Oscar Madison, and was the first of several developed by Garry Marshall for Paramount Television. The show is based upon the play of the same name, which was written by Neil Simon.

Felix and Oscar are two divorced men. Felix is neat and tidy while Oscar is sloppy and casual. They share a Manhattan apartment, and their different lifestyles inevitably lead to conflicts and laughs.

In 1997, the episodes "Password" and "The Fat Farm" were ranked #5 and #58 on TV Guide's 100 Greatest Episodes of All Time. The show received three nominations for the Primetime Emmy Award for Outstanding Comedy Series. Its fourth season, from 1973–74, remains the most recent nominee for a show that aired during a Friday time slot.
2
Overwhelmed by her suffocating schedule, touring European princess Ann takes off for a night while in Rome. When a sedative she took from her doctor kicks in, however, she falls asleep on a park bench and is found by an American reporter, Joe Bradley, who takes her back to his apartment for safety. At work the next morning, Joe finds out Ann's regal identity and bets his editor he can get exclusive interview with her, but romance soon gets in the way.
0
Tony spends his Saturdays at a disco where his stylish moves raise his popularity among the patrons. But his life outside the disco is not easy and things change when he gets attracted to Stephanie.
2
A trial melodrama about a mother who encourages her 14 year old daughter to have sex with a 16 year old Mexican boy.
0
Prominent gang leader Cyrus calls a meeting of New York's gangs to set aside their turf wars and take over the city. At the meeting, a rival leader kills Cyrus, but a Coney Island gang called the Warriors is wrongly blamed for Cyrus' death. Before you know it, the cops and every gangbanger in town is hot on the Warriors' trail.
-2
Two convicts—a white racist and an angry black man—escape while chained to each other.
-2
Two students at neighboring colleges get swept up in first love. Pookie Adams, a kooky misfit with no family or friends, clings to the quiet and studious Jerry, who has the ability to make a choice of living in Pookie's private world or be accepted by the society that Pookie rejects. Unwittingly, it is through their awkward relationship that Pookie prepares Jerry for the world of "weirdos" that she doesn't fit into.
-2
An oppressed Mexican peasant village hires seven gunfighters to help defend their homes.
0
An ambitious reporter gets in trouble while investigating a senator's assassination which leads to a vast conspiracy involving a multinational corporation behind every event in the world's headlines.
0
In a corporate-controlled future, an ultra-violent sport known as Rollerball represents the world, and one of its powerful athletes is out to defy those who want him out of the game.
0
New York City English professor Axel Freed outwardly seems like an upstanding citizen. But privately Freed is in the clutches of a severe gambling addiction that threatens to destroy him.
1
An ex-thief is accused of enacting a new crime spree, so to clear his name he sets off to catch the new thief, who’s imitating his signature style.
0
In 1916, a Chicago steel worker accidentally kills his supervisor and flees to the Texas panhandle with his girlfriend and little sister to work harvesting wheat in the fields of a stoic farmer.
-1
In the far future, a highly sexual woman is tasked with finding and stopping the evil Durand-Durand. Along the way she encounters various unusual people.
-2
During his long career, bounty hunter Ralph "Papa" Thorson has caught over 5,000 criminals. Now, while he is working on apprehending fugitives in Illinois, Texas and Nebraska, he himself is being hunted by a psychotic killer.
-3
In this remake of the 1933 classic, an oil company expedition disturbs the peace of a giant ape and brings him back to New York to exploit him.
1
French Postcards rings both comic and true. The believable, fresh-faced characters are young naives from American colleges spending their French-English dictionaries, they compulsively seek out hundreds of monuments, romanticize the nomadic artist's life, and look for grown-up love. The French tutor them well, as befits their reputation. Jean Rochefort is the harassed headmaster with a hankering for affairs, and Marie-France Pisier is his very sexy wife. Watch for a newcomer named Debra Winger, and another-Mandy Patinkin.
5
Russian and British submarines with nuclear missiles on board both vanish from sight without a trace. England and Russia both blame each other as James Bond tries to solve the riddle of the disappearing ships. But the KGB also has an agent on the case.
-1
An American man returns to the village of his birth in Ireland, where he finds love and conflict.
0
The residents of a small town are excited when a flaming meteor lands in the hills, until they discover it is the first of many transport devices from Mars bringing an army of invaders invincible to any man-made weapon, even the atomic bomb.
-1
The famous Pink Panther jewel has once again been stolen and Inspector Clouseau is called in to catch the thief. The Inspector is convinced that 'The Phantom' has returned and utilises all of his resources – himself and his Asian manservant – to reveal the identity of 'The Phantom'.
0
A snobbish phonetics professor agrees to a wager that he can take a flower girl and make her presentable in high society.
-1
A weary gunfighter attempts to settle down with a homestead family, but a smouldering settler and rancher conflict forces him to act.
-3
The captain of a submarine sunk by the Japanese during WWII is finally given a chance to skipper another sub after a year of working a desk job. His singleminded determination for revenge against the destroyer that sunk his previous vessel puts his new crew in unneccessary danger.
-5
New York, 1929, a war rages between two rival gangsters, Fat Sam and Dandy Dan. Dan is in possession of a new and deadly weapon, the dreaded "splurge gun". As the custard pies fly, Bugsy Malone, an all-round nice guy, falls for Blousey Brown, a singer at Fat Sam's speakeasy. His designs on her are disrupted by the seductive songstress Tallulah who wants Bugsy for herself.
-6
James Bond must investigate a mysterious murder case of a British agent in New Orleans. Soon he finds himself up against a gangster boss named Mr. Big.
-3
Former Irish Republican Army member Niall Hennessy lives in Belfast, Ireland, with his wife and daughter amid the ongoing Irish-British conflict. Though he still knows people in the IRA, including fugitive leader Tobin, Niall has given up his violent ways. One day his family is caught in a chaotic street shootout and killed by British forces. Overwhelmed with rage and hunted by a Scotland Yard inspector, Niall heads to London to exact his deadly revenge.
-9
When a dispute occurs between a logging operation and a nearby Native American tribe, Dr. Robert Verne and his wife, Maggie, are sent in to mediate. Chief John Hawks insists the loggers are poisoning the water supply, and, though company man Isley denies it, the Vernes can't ignore the strangely mutated wildlife roaming the woods. Robert captures a bear cub for testing and soon finds himself the target of an angry mutant grizzly.
-5
Popeye is a super-strong, spinach-scarfing sailor man who's searching for his father. During a storm that wrecks his ship, Popeye washes ashore and winds up rooming at the Oyl household, where he meets Olive. Before he can win her heart, he must first contend with Olive's fiancé, Bluto.
-1
A man wrongly imprisoned for murder breaks out of jail. He wants to clear his name, but with the police pursuing him, he's forced to take a beautiful young woman, driving a fast sports car, hostage and slip into a cross-border sports car race to try to make it to Mexico before the police get him.
-1
Harvard Law student Oliver Barrett IV and music student Jennifer Cavilleri share a chemistry they cannot deny - and a love they cannot ignore. Despite their opposite backgrounds, the young couple put their hearts on the line for each other. When they marry, Oliver's wealthy father threatens to disown him. Jenny tries to reconcile the Barrett men, but to no avail.
0
A group of con artists stake their claim on a bogus uranium mine.
-1
Charlie's got a 'job' to do. Having just left prison he finds one of his friends has attempted a high-risk job in Torino, Italy, right under the nose of the mafia. Charlie's friend doesn't get very far, so Charlie takes over the 'job'. Using three Mini Coopers, a couple of Jaguars, and a bus, he hopes to bring Torino to a standstill, steal a fortune in gold and escape in the chaos.
-1
A young man leads a promiscuous lifestyle until several life reversals make him rethink his purposes and goals in life.
1
You Can't Do That on Television is a Canadian television program that first aired locally in 1979 before airing internationally in 1981. It featured pre-teen and teenaged actors in a sketch comedy format. Each episode had a theme. The show was notable for launching the careers of many performers, including Alanis Morissette, and writer Bill Prady, who would write and produce shows like The Big Bang Theory, Gilmore Girls and Dharma and Greg.

The show was produced by and aired on Ottawa's CTV station CJOH-TV. After production ended in 1990, the show continued in reruns on Nickelodeon through 1994, when it was replaced with the similar All That. The show is synonymous with Nick, and was at that time extremely popular, with the highest ratings overall on the channel. The show is also well known for introducing the network's iconic slime.

The program is the subject of the 2004 feature-length documentary, You Can't Do That on Film, directed by David Dillehunt.
2
Seymour works in a skid row florist shop and is in love with his beautiful co-worker, Audrey. He creates a new plant that not only talks but cannot survive without human flesh and blood.
3
The rivalries, romances, hopes and fears of the residents of the fictional Midwestern metropolis, Genoa City. The lives and loves of a wide variety of characters mingle through the generations, dominated by the Newman, Abbott, Baldwin and Winters families.
0
In 1825, English peer Lord John Morgan is cast adrift in the American West. Captured by Sioux Indians, Morgan is at first targeted for quick extinction, but the tribesmen sense that he is worthy of survival. He eventually passes the many necessary tests that will permit him to become a member of the tribe.
2
Cole Thornton, a gunfighter for hire, joins forces with an old friend, Sheriff J.P. Hara. Together with a fighter and a gambler, they help a rancher and his family fight a rival rancher that is trying to steal their water.
-2
A young woman searching for her missing artist father finds herself in the strange seaside town of Point Dune, which seems to be under the influence of a mysterious undead cult.
-2
A timid, nearsighted chemistry teacher discovers a magical potion that can transform him into a suave and handsome Romeo. The Jekyll and Hyde game works well enough until the concoction starts to wear off at the most embarrassing times.
4
Chen Chen returns to his former school in Shanghai when he learns that his beloved instructor has been murdered. While investigating the man's death, Chen discovers that a rival Japanese school is operating a drug smuggling ring. To avenge his master’s death, Chen takes on both Chinese and Japanese assassins… and even a towering Russian.
-2
In this rough-and-tumble yarn, filmed on-location at the Georgia State Prison, the cons are the heroes and the guards are the heavies. Eddie Albert is the sadistic warden who'll gladly make any sacrifice to push his guards' semi-pro football team to a national championship.
1
The trademark of The Phantom, a renowned jewel thief, is a glove left at the scene of the crime. Inspector Clouseau, an expert on The Phantom's exploits, feels sure that he knows where The Phantom will strike next and leaves Paris for the Tyrolean Alps, where the famous Lugashi jewel 'The Pink Panther' is going to be. However, he does not know who The Phantom really is, or for that matter who anyone else really is...
-1
A martial arts movie star must fake his death to find the people who are trying to kill him.
-3
The animated adventures of Captain Kirk, Mr. Spock and the crew of the Starship Enterprise.
0
The murder of her father sends a teenage tomboy on a mission of 'justice', which involves avenging her father's death. She recruits a tough old marshal, 'Rooster' Cogburn because he has 'true grit', and a reputation of getting the job done.
0
In New York, Felix, a neurotic news writer who just broke up with his wife, is urged by his chaotic friend Oscar, a sports journalist, to move in with him, but their lifestyles are as different as night and day are, so Felix's ideas about housekeeping soon begin to irritate Oscar.
-4
A fictionalized account of the real-life adventure of the Sager family. Travelling with a wagon train from Missouri to Oregon, things are going well for the Sagers, until father Sager dies from blood poisoning following an Indian attack, and mother Sager dies soon afterward from pneumonia. The leaders of the wagon train decide to send the children back, but the oldest, John (who had been described by all the adults as lazy and worthless), decides to lead his siblings through the wilderness to complete the journey their parents started.
-1
A shy Greenwich Village book clerk is discovered by a fashion photographer and whisked off to Paris where she becomes a reluctant model.
-1
Staples, a successful plant operator, is brought in from Ohio to take an executive position at Ramsey & Co. in New York. He forms a friendship with Briggs, the long-time vice president, but it soon becomes apparent that Walter Ramsey, who has inherited the position of CEO, is grooming Staples to replace Briggs. Ramsey will not fire Briggs, instead doing everything he can to humiliate and sabotage Briggs until he resigns.
-3
Wilbur the pig is scared of the end of the season, because he knows that come that time, he will end up on the dinner table. He hatches a plan with Charlotte, a spider that lives in his pen, to ensure that this will never happen.
-2
It's Christmas Eve 1971 in Manhattan's Greenwich Village and the regulars of the local gay bar "The Blue Jay" are celebrating. Not much has changed since Stonewall and its not all "Peace on Earth. Good Will to Men" but the times are a changin.
2
The final entry in a trilogy of films produced for the U.S. government by John Huston. Some returning combat veterans suffer scars that are more psychological than physical. This film follows patients and staff during their treatment. It deals with what would now be called PTSD, but at the time was categorised as psychoneurosis or shell-shock. Government officials deemed this 1946 film counterproductive to postwar efforts; it was not shown publicly until 1981.
-2
Mary Henry ends up the sole survivor of a fatal car accident through mysterious circumstances. Trying to put the incident behind her, she moves to Utah and takes a job as a church organist. But her fresh start is interrupted by visions of a fiendish man. As the visions begin to occur more frequently, Mary finds herself drawn to the deserted carnival on the outskirts of town. The strangely alluring carnival may hold the secret to her tragic past.
-2
At New Mexico's Empire Zinc mine, Mexican-American workers protest the unsafe work conditions and unequal wages compared to their Anglo counterparts. Ramon Quintero helps organize the strike, but he is shown to be a hypocrite by treating his pregnant wife, Esperanza, with a similar unfairness. When an injunction stops the men from protesting, however, the gender roles are reversed, and women find themselves on the picket lines while the men stay at home.
-6
The world's most famous madame is called to Washington to testify before Congress.
1
Hawaii Five-O is an American police procedural drama series produced by CBS Productions and Leonard Freeman. Set in Hawaii, the show originally aired for 12 seasons from 1968 to 1980, and continues in reruns. Jack Lord portrayed Detective Lieutenant Steve McGarrett, the head of a special state police task force which was based on an actual unit that existed under martial law in the 1940s. The theme music composed by Morton Stevens became especially popular. Many episodes would end with McGarrett instructing his subordinate to "Book 'em, Danno!", sometimes specifying a charge such as "murder one".
-1
A crook decides to bump off members of his inept crew and blame their deaths on a legendary sea creature. What he doesn't know is that the creature is real.
-4
In 1841, young Ishmael signs up for service abroad the Pequod, a whaler sailing out of New Bedford. The ship is under the command of Captain Ahab, a strict disciplinarian who exhorts his men to find Moby Dick, the great white whale. Ahab lost his his leg to that creature and is desperate for revenge. As the crew soon learns, he will stop at nothing to gain satisfaction.
-3
Mike works on a boat in Acapulco. When the bratty daughter of the boat owner gets him fired, Mike must find new work. Little boy Rauol helps him get a job as a lifeguard and singer at a local hotel. Clashes abound when Mike runs into the rival lifeguard, who is the champion diver of Mexico.
2
Schoolteacher Bertram Cates is arrested for teaching his students Darwin's theory of evolution. The case receives national attention and one of the newspaper reporters, E.K. Hornbeck, arranges to bring in renowned defense attorney and atheist Henry Drummond to defend Cates. The prosecutor, Matthew Brady is a former presidential candidate, famous evangelist, and old adversary of Drummond.
1
George & Gwen Kellerman make a trip to New York, where George is going to start a new job, it turns out to be a trip to hell.
-1
Nick Carraway, a young Midwesterner now living on Long Island, finds himself fascinated by the mysterious past and lavish lifestyle of his neighbor, the nouveau riche Jay Gatsby. He is drawn into Gatsby's circle, becoming a witness to obsession and tragedy.
0
An aging Texas cattle man who has outlived his time swings into action when outlaws kidnap his grandson.
-1
Atomic scientist/pilot Doug Martin is missing after his plane crashes on an reconnaissance mission after a nuclear test. Miraculously appearing unhurt at the base later, he is given sodium amethol, but authorities are skeptical of his story that he was captured by aliens determined to conquer the Earth with giant monsters and insects. Martin vows to use existing technology to destroy them.
-3
A warlock burned at the stake comes back and takes over the body of his great grandson to take his revenge on the descendents of the villages that burned him.
-2
This is a tongue-in-cheek crime melodrama that became a 'Late Late Show' fixture in the 1980s, according to the DVD sleeve, Jack Palance plays Vic Morono, a high-ranking Prohibition-era mobster with a weakness for women who is waging an ongoing war with rival hoodlum Chico Hamilton (Warren Berlinger). Vic falls for gorgeous blonde Wendy (Carol Lynley). The film's title refers to the name of his speakeasy, and to his gang, which consists of himself, Wendy, and a brace comic-relief hoodlums. The Four Deuces opens with cartoon credits, and attempts a stylish comic strip look. Expecting some wit upon seeing the name Don Martin in the credits will drive you stark raving nuts - this is not the cartoonist who worked for "Mad" magazine. Light bondage and female flesh scenes might have upped ratings for those 1980s "Late Late Show" airings. Perhaps most notable is the that Ms. Lynley and Mr. Berlinger worked much more memorably together in the stage and film versions of Blue Denim
-5
Anna Kalman is an accomplished actress who has given up hope of finding the man of her dreams. She is in the middle of taking off her face cream, while talking about this subject with her sister, when in walks Philip Adams. She loses her concentration for a moment as she realizes that this is the charming, smart, and handsome man she has been waiting for.
3
Three convicts escape from prison on Devil's Island just before Christmas and arrive at a nearby French colonial town. They go to the store of the Ducotels, the only store that gives supplies on credit. They initially intend to take advantage of them but have a change of heart after they find the family is in financial troubles.
-2
Linus and David Larrabee are the two sons of a very wealthy family. Linus is all work – busily running the family corporate empire, he has no time for a wife and family. David is all play – technically he is employed by the family business, but never shows up for work, spends all his time entertaining, and has been married and divorced three times. Meanwhile, Sabrina Fairchild is the young, shy, and awkward daughter of the household chauffeur, who goes away to Paris for two years, and returns to capture David's attention, while falling in love with Linus.
3
Ageing, wealthy, rancher and self-made man, George Washington McLintock is forced to deal with numerous personal and professional problems. Seemingly everyone wants a piece of his enormous farmstead, including high-ranking government men, McLintock's own sons and nearby Native Americans. As McLintock tries to juggle his various adversaries, his wife—who left him two years previously—suddenly returns. But she isn't interested in George; she wants custody of their daughter.
-1
Afflicted with a terminal illness John Bernard Brooks, the last of the legendary gunfighters, quietly returns to Carson City for medical attention from his old friend Dr. Hostetler. Aware that his days are numbered, the troubled man seeks solace and peace in a boarding house run by a widow and her son. However, it is not Brooks' fate to die in peace, as he becomes embroiled in one last valiant battle.
1
Ex-wrestler and Tennessee Sheriff Buford Pusser walks tall and carries a big stick as he tussles with county-wide corruption and moonshining thugs.
-2
To ensure a full profitable season, circus manager Brad Braden engages The Great Sebastian, though this moves his girlfriend Holly from her hard-won center trapeze spot. Holly and Sebastian begin a dangerous one-upmanship duel in the ring, while he pursues her on the ground.
0
Having emigrated to New York and immediately got the kiss-off from her mother-besotted fiance, a Dutch lass takes a well-paid office job and starts liberally sampling the local male talent. After a while she decides to make her pleasure her business too, and as her reputation grows she graduates to a high-class bordello. Soon she realises she has the right talents to make a real success of a place of her own.
6
Bruno Stiegler, a boxing promoter with a disreputable past, returns from America to Berlin to make some big things again with his friends. Fatally, he is always preceded by some gentlemen from better circles who are developing amazing criminal activity in their old days. They are led by Oberlandesgerichtsrat a. D. Herbert Zänker, whom it still hisses, that he could bring in his term Bruno never behind bars.
0
Charles Dreyfus, who has finally cracked over inspector Clouseau's antics, escapes from a mental institution and launches an elaborate plan to get rid of Clouseau once and for all.
-1
Frank Johnson, a sole witness to a gangland murder, goes into hiding and is trailed by Police Inspector Ferris, on the theory that Frank is trying to escape from possible retaliation. Frank's wife, Eleanor, suspects he is actually running away from their unsuccessful marriage. Aided by a newspaperman, Danny Leggett, Eleanor sets out to locate her husband. The killer is also looking for him, and keeps close tabs on Eleanor.
-4
A down-on-his-luck ex-GI finds himself framed for an armored car robbery. When he's finally released for lack of evidence--after having been beaten up and tortured by the police--he sets out to discover who set him up, and why. The trail leads him into Mexico and a web of hired killers and corrupt cops.
-3
When a recently deceased playboy gets to heaven and is granted one wish--granted to all newcomers--he requests that he be able to see the reactions of three husbands, with whom he regularly played poker, to a letter he left each of them claiming to have had an affair with each's wife.
1
Harold Gern, a shady businessman from New York, is spending a holiday in Puerto Rico with his attractive wife Evelyn. They are joined by Martin Joyce, Harold's lawyer, who has come to discuss the latest indictment. Harold invites him along on a boat trip during which all three try out some newly bought scuba diving equipment. When they resurface, they find out that the world has changed forever.
0
Professor "Johnny Longbow" Salina, a man who really knows his stews, introduces Paul Carlson to the practical-joking Kathy Nolan. Paul and Kathy seem to hit it off rather well but, during a meteor storm, a meteorite fragment strikes Paul, burying itself deep in his skull, which has the unpleasant side-effect of causing Paul to mutate into a giant reptilian monster at night and go on murderous rampages. It turns out that this sort of thing has happened before, when Professor Salina rediscovers ancient Native American paintings detailing a similar event many centuries ago. Kathy, however, still loves Paul, and tries to save him.
-4
Five short stories loosely dealing with the roles of women in society. A superstar actress travels to a mountain resort, only to evoke jealousy from women and lust from men. A woman offers to take an injured man to the hospital. A widowed father and his son seek for a new wife/mother. A man seeks revenge for a woman's honor. A bored housewife tries to explain to her husband that he's not as romantic as he used to be.
-1
The four sons of Katie Elder reunite in their Hometown of Clearwater, Texas for their Mother's funeral, and discover that the family ranch is now in the hands of Morgan Hastings, the town's gunsmith.
0
Blacklisted by the major airlines for endlessly chasing female staff, pilot Rick Richards returns to Hawaii to set up a helicopter charter company with his friend Danny. Having a girl on every island is a good way to get business but it becomes clear that romance and flying don't always mix.
2
A con artist moves into a small town to spearhead a payroll robbery.
0
Writer Harry Street reflects on his life as he lies dying from an infection while on safari in the shadow of Mount Kilimanjaro.
-3
When his father dies, poor Fella is left at the mercy of his snobbish stepmother and her two no-good sons Maximilian and Rupert. As he slaves away for his nasty step-family, Maximilian and Rupert attempt to find a treasure Fella's father has supposedly hidden on the estate. Hoping to restore her dwindling fortunes, the stepmother plans a fancy ball in honor of the visiting Princess Charmein whom she hopes will marry Rupert. Eventually, Fella's Fairy Godfather shows up to convince him that he has a shot at winning the Princess himself.
1
A family of vampires takes over an estate known as Carfax Abbey. Since inbreeding is destroying the family line, they need new blood to keep the family going, so they set out to find new sources.
0
When he finds out his boss is retiring to Arizona, a sailor, Ross Carpenter, has to find a way to buy the Westwind, a boat that he and his father built. He is also caught between two women: insensitive club singer Robin and sweet Laurel.
0
Tom and Ellen are asked to perform as a dance team in England at the time of Princess Elizabeth's wedding. As brother and sister, each develops a British love interest, Ellen with Lord John Brindale and Tom with dancer Anne Ashmond.
1
A young woman searching for her birth parents in order to fulfill her sense of identity joins with an organization that fights the bureaucracy keeping adoption records sealed.
0
Nerdy Walter Paisley (Dick Miller), a maladroit busboy at a beatnik café who doesn't fit in with the cool scene around him, attempts to woo his beautiful co-worker, Carla (Barboura Morris), by making a bust of her. When his klutziness results in the death of his landlady's cat, he panics and hides its body under a layer of plaster. But when Carla and her friends enthuse over the resulting artwork, Walter decides to create some bigger and more elaborate pieces using the same artistic process.
0
Danny Fisher, young delinquent, flunks out of high school. He quits his job as a busboy in a nightclub, and one night he gets the chance to perform. Success is imminent and the local crime boss Maxie Fields wants to hire him to perform at his night club The Blue Shade. Danny refuses, but Fields won't take no for an answer.
-2
Monroe Stahr, a successful movie producer, pursues a beautiful and elusive young woman — all the while working himself to death.
1
A jazz pianist is haunted by his dead ex-lover's crawling hand and floating head.
-1
When his sister Betsy packs up and leaves the family's Montana cattle ranch to find fame and fortune in Hollywood, her brother Jim decides to follow after her to make sure she doesn't get into trouble. He's a little too late, however, since almost as soon as she gets off the bus, Betsy has her belongings stolen, then gets kidnapped, gang-raped, and is sold to a pimp to work for him as a prostitute. It is now up to Jim, with help from social worker Lynn, to rescue his sister and set things right.
2
A young psychiatric nurse goes to work at a lonesome asylum following a murder. There, she experiences varying degrees of torment from the patients.
-1
An ex-theater actor is given one more chance to star in a musical yet his alcoholism may prevent it from happening.
0
A group of men trap wild animals in Africa and sell them to zoos. Will the arrival of a female wildlife photographer change their ways?
-2
On the tropical island of Wongo, a tribe of beautiful women discover that the other side of the island is inhabited by a tribe of handsome men. They also discover that a tribe of evil ape men live on the island, too, and the ape men are planning a raid on the tribe in order to capture mates.
1
The neighbors of a frontier family turn on them when it is suspected that their beloved adopted daughter was stolen from the Kiowa tribe.
0
Chad Gates has just been discharged from the Army, and is happy to be back in Hawaii with his surf-board, his beach buddies and his girlfriend.
1
'Guns' Donovan prefers carousing with his pals Doc Dedham and 'Boats' Gilhooley, until Dedham's high-society daughter Amelia shows up in their South Seas paradise.
2
A detective discovers his son-in-law is cheating on his wife. He confronts the other woman and accidentally kills her, then tries to pin the crime on a local derelict.
-3
A young officer in Napoleon's army pursues a mysterious woman to the castle of an elderly Baron.
-1
Navy frogman Ted Jackson balances his time between twin careers as a deep-sea diver and nightclub singer. During a dive, Ted spots sunken treasure and returns with the hope to retrieve it.
0
Lassie is an American television series that follows the adventures of a female Rough Collie dog named Lassie and her companions, human and animal. The show was the creation of producer Robert Maxwell and animal trainer Rudd Weatherwax and was televised from September 12, 1954, to March 24, 1973. One of the longest-running series on television, the show chalked up seventeen seasons on CBS before entering first-run syndication for its final two seasons. Initially filmed in black and white, the show transitioned to color in 1965.

The show's first ten seasons follow Lassie's adventures in a small farming community. Fictional eleven-year-old Jeff Miller, his mother, and his grandfather are Lassie's first human companions until seven-year-old Timmy Martin and his adoptive parents take over in the fourth season. When Lassie's exploits on the farm end in the eleventh season, she finds new adventures in the wilderness with a succession of United States Forest Service Rangers. After traveling without human leads for a year, Lassie finally settles at a children's home for her final two syndicated seasons.

Lassie received critical favor at its debut and won two Emmy Awards in its first years. Stars Jan Clayton and June Lockhart were nominated for Emmys. Merchandise produced during the show's run included books, a Halloween costume, clothing, toys, and other items. Campbell's Soup, the show's lifelong sponsor, offered two premiums, and distributed thousands to fans. A multi-part episode was edited into the feature film Lassie's Great Adventure and released in August 1963. In 1989, the television series The New Lassie brought Lassie star Jon Provost back to television as Steve McCullough. Selected episodes have been released to DVD.
1
While on vacation in Rome, married American Mary Forbes becomes entangled in an affair with an Italian man, Giovanni Doria. As she prepares to leave Italy, Giovanni confesses his love for her; he doesn't want her to go. Together they wander the railroad station where Mary is to take the train to Paris, then ultimately reunite with her husband and daughter in Philadelphia. Will she throw away her old life for this passionate new romance?
2
A small town in Texas finds itself under attack from a hungry, fifty-foot-long gila monster. No longer content to forage in the desert, the giant lizard begins chopming on motorists and train passengers before descending upon the town itself. Only Chase Winstead, a quick-thinking mechanic, can save the town from being wiped out.
-3
In a bold coup a Palestinian terrorist group captures the yacht Rosebud and kidnaps the millionaires five daughters on it. At first they demand film clips to be shown on major European TV stations. Undercover agent Martin is hired to hunt the terrorists down.
0
Army despatch rider Hondo Lane discovers a woman and her son living in the midst of warring Apaches, and he becomes their protector.
0
A marine biologist and a government agent investigate mysterious deaths and rumors of a sea monster in a secluded ocean cove, and find themselves involved with a marine biology professor conducting secretive experiments, international spies trying to steal his secrets, a radioactive light on the sea bottom, and the malevolent thing which guards it.
-7
In the swinging sixties three girls discover they have the same boyfriend who has been playing around with them all while vowing fidelity to each. To teach him a lesson he won't forget, the trio contrive to lock him up and continually favour him with their attentions in turn.
1
Rock'n Roll Revue is a 1955 American film directed by Joseph Kohn. The film was compiled for theatrical exhibition from the made-for-television short films produced by Snader and Studio Telescriptions, with newly-filmed host segments by Willie Bryant
0
Based on Gail Sheehy's book, this film chronicles how a reporter for a New York City magazine decided to investigate the city's prostitution industry to find out just who was making all the money. What she found out caused a firestorm of controversy--that many of the city's richest and most powerful families and corporations benefited directly and indirectly from the illegal sex business.
-1
Mystery writer Cornelia Van Gorder has rented a country house called "The Oaks", which not long ago was the scene of some murders committed by a strange and violent criminal known as "The Bat". Meanwhile, the house's owner, bank president John Fleming, has recently embezzled one million dollars in securities and has hidden the proceeds in the house, but is killed before he can retrieve it.
-6
Searching for a doctor who can help him get his son to speak again--the boy hadn't uttered a word since he saw his mother die in the fire that burned down the family home--a Confederate veteran finds himself facing a 30-day jail sentence when he's unfairly accused of starting a brawl in a small town. A local woman pays his fine, providing that he works it off on her ranch. He soon finds himself involved in the woman's struggle to keep her ranch from a local landowner who wants it--and whose sons were responsible for the man being framed for the fight.
-2
Shocked by the death of her spouse, a scheming widow hatches a bold plan to get her hands on the inheritance, unaware that she is targeted by an axe-wielding murderer who lurks in the family's estate. What mystery shrouds the noble house?
-4
Shocked by the death of her spouse, a scheming widow hatches a bold plan to get her hands on the inheritance, unaware that she is targeted by an axe-wielding murderer who lurks in the family's estate. What mystery shrouds the noble house?
-4
A villainous cavalry officer is trying to force the owner of a hacienda to give him his land when a courageous settler comes to the rescue.
0
A chance discovery leads American mining engineer Ben Harris and acquaintance Harold to discover a lost city under the sea while searching for their kidnapped friend Jill. Held captive in the underwater city by the tyrannical Captain (Vincent Price), and his crew of former smugglers, the three plot to escape...
-2
A mad scientist, Dr. Aranya (Jackie Coogan), has created giant spiders in his Mexican lab in Zarpa Mesa to create a race of superwomen by injecting spiders with human pituitary growth hormones. Women develop miraculous regenerative powers, but men mutate into disfigured dwarves. Spiders grow to human size and intelligence.
1
A racist officer is put in charge of an all-black squad of troops charged with the mission of blowing up an important hydro-dam in Nazi Germany. Their failure would delay the Allies' advance into Germany, thus prolonging the war. These African-Americans have little military training, but Captain Beau Carter has no choice. He leads the rag-tag and they turn out to be heroic.
0
The crazed brother of a condemned killer sent to the gas chamber swears vengeance on those he holds responsible for his brother's execution.
-3
Dr. Bill Cortner and his fiancée, Jan Compton, are driving to his lab when they get into a horrible car accident. Compton is decapitated. But Cortner is not fazed by this seemingly insurmountable hurdle. His expertise is in transplants, and he is excited to perform the first head transplant. Keeping Compton's head alive in his lab, Cortner plans the groundbreaking yet unorthodox surgery. First, however, he needs a body.
-1
A backwoods game warden and a local doctor discover that giant leeches are responsible for disappearances and deaths in a local swamp, but the local police don't believe them.
-3
Trapped on a remote island by a hurricane, a group discover a doctor has been experimenting on creating half sized humans. Unfortunately, his experiments have also created giant shrews, who when they have run out of small animals to eat, turn on the humans....
-3
Mike Hamilton, a Philadelphia lawyer, comes to Naples to settle the estate of his long estranged "black sheep" brother. Once there, he discovers that the deceased has left an 8 year old boy who is being raised by Michael's sister-in-law Lucia Curcio. To make matters worse, Lucia happens to be a sexy nightclub dancer.
-1
Reporter Charles Wills, in Paris to cover the end of World War II, falls for the beautiful Helen Ellswirth following a brief flirtation with her sister, Marion. After he and Helen marry, Charles pursues his novelistic ambition while supporting his new bride with a deadening job at a newspaper wire service. But when an old investment suddenly makes the family wealthy, their marriage begins to unravel — until a sudden tragedy changes everything.
0
Reporter Charles Wills, in Paris to cover the end of World War II, falls for the beautiful Helen Ellswirth following a brief flirtation with her sister, Marion. After he and Helen marry, Charles pursues his novelistic ambition while supporting his new bride with a deadening job at a newspaper wire service. But when an old investment suddenly makes the family wealthy, their marriage begins to unravel — until a sudden tragedy changes everything.
0
Director Charles Marquis Warren's 1953 western stars Charlton Heston and Jack Palance.
0
Having to leave Melbourne in a hurry to avoid various marriage proposals, two song-and-dance men sign on for work as divers. This takes them to an idyllic island on the way to Bali where they vie with each other for the favours of Princess Lala. The hazardous dive produces a chest of priceless jewels which arouses the less romantic interest of some shady locals.
3
When a star comedian dies, his comedy team decides to train a 'nobody' to play the Star in a big TV show (a Patsy). But the man chosen, bellboy Stanley Belt (Lewis), can't do anything right. The TV show is getting closer, and Stanley is getting worse.
0
An intelligence agent discovers a Nazi plot to revive the Third Reich by using clones.
1
A young boy trades the family cow for magic beans.
1
Research scientists experimenting with time warps are accidentally propelled forward into an unbearable future.
-2
In 2020, after the colonization of the moon, the spaceships Vega, Sirius and Capella are launched from Lunar Station 7. They are to explore Venus under the command of Professor Hartman, but an asteroid collides and explodes Capella. The leader ship Vega stays orbiting and sends the astronauts Kern and Sherman with the robot John to the surface of Venus, but they have problems with communication with Dr. Marsha Evans in Vega. The Sirius lands in Venus and Commander Brendan Lockhart, Andre Ferneau and Hans Walter explore the planet and are attacked by prehistoric animals. They use a vehicle to seek Kern and Sherman while collecting samples from the planet. Meanwhile John helps the two cosmonauts to survive in the hostile land.
-2
A gas is let loose upon the world that kills anyone over 25 years old.
-2
A reporter is sent to interview a scientist working in his mountain laboratory.
0
A newspaper publisher's daughter suffers from neglect by her parents. She and her friends turn to crime by dressing up like men, holding up gas stations, raping young men at gunpoint, and having makeout parties when her parents are away. Their "fence" gets them to trash the school on request of sinister un-American clients, and they run afoul of the law, apple pie, and God himself.
-5
In World War II France, American soldier Michael Blake captures, then loses Nazi-collaborator art thief Paul Rona, who leaves behind a gem studded gauntlet (a stolen religious relic). Years later, financial reverses lead Mike to return in search of the object. In Paris, he must dodge mysterious followers and a corpse that's hard to explain; so he and attractive tour guide Christine decamp on a cross-country pursuit that becomes love on the run...then takes yet another turn.
-1
A kid from the neighborhood goes to work for the Mafia as a collector.
1
The life and career of famed American composer Stephen Foster.
1
Lawman Wyatt Earp and outlaw Doc Holliday form an unlikely alliance which culminates in their participation in the legendary Gunfight at the O.K. Corral.
-1
The tranquility of a small town is marred only by sheriff Tod Shaw's unsuccessful courtship of widow Ellen Benson, a pacifist who can't abide guns and those who use them. But violence descends on Ellen's household willy-nilly when the U.S. President passes through town... and slightly psycho hired assassin John Baron finds the Benson home ideal for an ambush.
-1
The players in an ongoing poker game are being mysteriously killed off, one by one.
-2
Stationed in West Germany, soldier Tulsa McLean hopes to open up a nightclub when he gets out of the army. Tulsa may lack the capital for such a venture, but a chance to raise the cash comes his way through a friendly wager. Local dancer Lili (Juliet Prowse) is a notorious ice queen, and Tulsa bets everything he has that a friend of his can earn her affections. But, when that friend is dispatched to Alaska, it's up to Tulsa to melt Lili's heart.
0
Horror icon Christopher Lee, who worked with Jess Franco on several occasions, plays Lord George Jeffreys, the infamous and merciless judge and Lord Chancellor in England torn by strife between the reigning King James II and William of Orange. Convincend of doing what's necessary, the cruel judge mercilessly persecutes 'traitors', who sympathize with the King's opponent William of Orange, as well as 'witches', who are accused of being in league with the devil...
-5
Jeremy is learning cello at an arts school in New York. At school he spots Susan, who practices for a ballet audition, and he falls in love.
0
Released two years after James Dean's death, this documentary chronicles his short life and career via black-and-white still photographs, interviews with the aunt and uncle who raised him, his paternal grandparents, a New York City cabdriver friend, the owner of his favorite Los Angeles restaurant, outtakes from East of Eden, footage of the opening night of Giant, and Dean's ironic PSA for safe driving.
0
A tribute to the U.S. 442nd Regimental Combat Team, formed in 1943 by Presidential permission with Japanese-American volunteers. We follow the training of a platoon under the rueful command of Lt. Mike Grayson who shares common prejudices of the time. The 442nd serve in Italy, then France, distinguishing themselves in skirmishes and battles; gradually and naturally, Grayson's prejudices evaporate with dawning realization that his men are better soldiers than he is.
-1
Prince Leo, last in the line of rulers of a long-deposed monarchy on continental Europe and jaded with the frenetic search for kicks with the European jet-set, returns to his father's London town house for rest.
-2
Red River Johnny gathers his friends and returns to claim the heritage of his father who was outlawed many years ago by the sheriff...
0
A harrowing look at the 60s and early 70s through the eyes of Katherine Alman, a wealthy debutante who slowly, but inexorably spirals down into a fight for the causes that shook a nation, leading a path to the underground life. Written by Miguel Cane
0
Matt Stevens is the big man at high school. He sweats the students for protection money, acquires copies of tests for a fee, and has rigged the votes so he can beat Kelly in the election for student president. Aside from his anointed acolytes, Matt is almost universally despised. His parents are obscenely rich and spend their time travelling in Europe rather than giving him the parental guidance he needs. Things begin to get ugly when some of the teens resist his power and show Matt up at the drag race.
-1
After the Civil War, Cord McNally searches for the traitor whose perfidy caused the defeat of McNally's unit and the loss of a close friend.
-1
An experienced bounty hunter helps a young sheriff learn the meaning of his badge.
0
The Assassination Bureau has existed for decades (perhaps centuries) until Diana Rigg begins to investigate it. The high moral standing of the Bureau (only killing those who deserve it) is called into question by her. She puts out a contract for the Bureau to assassinate its leader on the eve of World War I.
-2
Tells the story of one day in the lives of the various people who populate a police detective squad. An embittered cop, Det. Jim McLeod, leads a precinct of characters in their grim daily battle with the city's lowlife. The characters who pass through the precinct over the course of the day include a young petty embezzler, a pair of burglars, and a naive shoplifter.
-2
In this campy spy movie spoof Dr. Goldfoot (Vincent Price) has invented an army of bikini-clad robots who are programmed to seek out wealthy men and charm them into signing over their assets. Secret agent Craig Gamble (Frankie Avalon) and millionaire Todd Armstrong set out to foil his fiendish plot.
0
The son of a sorceress, armed with weapons, armour and six magically summoned knights, goes on a quest to save a princess from a vengeful wizard.
-1
A skier and his wife visit a friend's ski resort during a man beast's rampage, and must hide from the impending danger.
-3
Heathcliff is an animated TV series that debuted on October 4, 1980. It was the first series based on the Heathcliff comic strip and was produced by Ruby-Spears Productions. It ran until September 18, 1982 with a total of 25 episodes, under two different names.
0
After a singer loses his job at a coffee shop, he finds employment at a struggling carnival, but his attempted romance with a teenager leads to friction with her father.
-2
Ex-army officer accidentally kills a woman's son, tries to make up for it by escorting the funeral procession through dangerous Indian territory.
-2
A demented widow lures unsuspecting children into her mansion in a bizarre "Hansel and Gretel" twist.
-4
3 horror stories based on the writings of Nathaniel Hawthorne. In the 1st story titled "Dr. Heidegger's Experiment", Heidegger attempts to restore the youth of three elderly friends. In "Rappaccini's Daughter", a demented father is innoculating his daughter with poison so she may never leave her garden of poisonous plants. In the final story "The House of the Seven Gables", The Pyncheon family suffers from a hundred year old curse and while in the midst of arguing over inheritance, a stranger arrives.
-5
Nineteenth century Wyoming: the wild West. Mild-mannered Tom Healy has a two-wagon theater troupe hounded by creditors because Angela, his leading lady and the object of his affection, constantly buys clothes. In Cheyenne, they meet with applause, so they hope to stay awhile: the theater owner likes Angela, and she keeps him on a string. She's also the object of the attentions of Mabry, a gunslinger who's owed money by the richest man in Bonanza.
0
Buffalo Bill and Wild Bill Hickok join forces to establish a mail route that can get mail from St. Joseph, Missouri, to Sacramento, California, in ten days. Along the way they must battle bad weather, hostile Indians and outlaws intent on robbing the mail and shutting down the entire operation.
-4
Mike and Tony Petrakis are a Greek father and son team who dive for sponges off the coast of Florida. After they are robbed by crooks, Arnold and the Rhys brothers, Mike decides to take his men to the dangerous 12-mile reef to dive for more sponges. Mike suffers a fatal accident when he falls from the reef leaving Tony to carry on the business. But now he has a companion, Gwyneth Rhys.
-5
Earthquakes in central Korea turn out to be the work of Yongary, a prehistoric gasoline-eating reptile that soon goes on a rampage through Seoul.
0
Expat American writer Henry Miller hustles his way through Paris in a series of amorous encounters while trying to find his literary voice.
0
A scientific experiment involving subjecting a corpse to an extreme charge of electricity accidentally revives an executed criminal and makes him impervious to harm, allowing him to seek revenge on his former partners, and deal similarly with anyone else who gets in his way.
-2
In this sequel to Father of the Bride, newly married Kay Dunstan announces that she and her husband are going to have a baby, leaving her father having to come to grips with the fact that he will soon be a granddad.
0
Early in the War of 1812, Captain James Marshall is commissioned to run the British blockade and fetch an unofficial war loan from France. As first mate, Marshall recruits Ben Waldridge, a cashiered former British Navy captain. Waldridge brings his former gun crew...who begin plotting mutiny as soon as they learn there'll be gold aboard. The gold duly arrives, and with it Waldridge's former sweetheart Leslie, who's fond of a bit of gold herself. Which side is Waldridge really on?
5
London, 1888: on the night of the third Jack the Ripper killing, soft-spoken Mr. Slade, a research pathologist, takes lodgings with the Harleys, including a gloomy attic room for "experiments." Mrs. Harley finds Slade odd and increasingly suspects the worst; her niece Lily (star of a decidedly Parisian stage revue) finds him interesting and increasingly attractive. Is Lily in danger, or are her mother's suspicions merely a red herring?
-5
San Francisco businessman Harry Graham and his wife and business partner, Eve, are in the process of adopting a child. When private investigator Mr. Jordan uncovers the fact that Graham has another wife, Phyllis, and a small child in Los Angeles, he confesses everything.
0
Following the Second World War, a northern cannery combine negotiates for the purchase of a large tract of uncultivated Georgia farmland. The major portion of the land is owned by Julie Ann Warren and has already been optioned by her unscrupulous, draft dodging husband, Henry. Now the combine must also obtain two smaller plots - one owned by Henry's cousin Rad McDowell, a combat veteran with a wife and family; the other by Reeve Scott, a young black man whose mother had been Julie's childhood Mammy. But neither Rad nor Reeve is interested in selling and they form an unprecedented black and white partnership to improve their land. Although infuriated by the turn of events, Henry remains determined to push through the big land deal. And when Reeve's mother Rose dies, Henry tries to persuade his wife to charge Reeve with illegal ownership of his property, confident the the bigoted Judge Purcell will rule against a Negro.
-2
A young man visits his fiancé's estate to discover that her wheelchair-bound scientist father has discovered a meteorite that emits mutating radiation rays that have turned the plants in his greenhouse to giants. When his own wife falls victim to this mysterious power, the old man takes it upon himself to destroy the glowing object with disastrous results.
-4
Local beach-goers find that their beach has been taken over by a businessman training a stable of body builders.
1
A spaceship is sent to Mars after a alien distress signal is picked up. They find one survivor, but when a crew member is found drained of blood it's evident they have rescued a bloodsucking monster.
-3
A man escorts a wagon load of Kentucky rifles through Indian territory and must find a way to get through without losing the rifles to the Indians. Unfortunately the Indians know about it, and give the occupants an ultimatum: either the rifles or their lives.
-3
Scientists must prove their time travel experiments can produce results, so their funding won't be cut off. They push their equipment, and travel 5000 years into the future, where they encounter aliens who are looking for a planet to colonize.
0
When an aspiring barber becomes inadvertently involved in the theft of a valuable diamond, necessity forces him to masquerade as a 12 year-old child - with humorous consequences.
2
An aspiring musician arrives in New York in search of fame and fortune. He soon meets a taxi dancer, moves in with her, and before too long a romance develops.
2
Xaviera Hollander has to navigate some sleazy studio politics to see the production of the film version of her memoirs.
-1
The Hellcats are an all-female gang bent on bucking authority and terrorizing the schools by doing things like having a bad attitude toward their teachers and parents. When Joyce, a new student, moves into the neighborhood, she draws the attention of The Hellcats. Desperate for acceptance and unhappy with her homelife, Joyce goes along with the gang, and is soon drinking, dancing and meeting boys. Can her parents stop her descent into depravity?
-3
A POW in World War II is put to work in a Munich zoo, looking after an Asian elephant. The zoo is bombed by the Americans and the director of the zoo decides it is not safe for his Asian elephant Lucy to remain there. So he sends Brooks to safety with Lucy. They escape and go on the run in order to get to Switzerland.
2
Just before the Civil War (but after the South has seceded), Southern saboteurs try to prevent railroad construction from crossing Kansas to the frontier; army captain Nelson is sent out to oppose them. As the tracks push westward, Nelson must contend with increasingly violent sabotage, while trying to romance the foreman's pretty daughter Barbara.
-3
A group of teenagers at a party find themselves being stalked by a maniacal killer in a Santa Claus costume.
-2
Although the son of a skilled golfer and an outstanding player in his own right, Harvey Miller is too nervous to play in front of a gallery, so he acts as coach and caddy for Joe Anthony, his girlfriend's brother.
2
A banned motorcycle racer becomes mechanic for a selfish braggart who races under his name.
-2
Based on the amazing true story of a marine biologist (Robert Lansing) who befriends a six-ton Orcawhale, this "honest, fascinating and vigorously wholesome film" (Citizen-News) is heartwarming fun for the whole family. Like all close pals, Hank (Lansing) and Namu love spending time together. Whether sharing a morning swim or soaking up the afternoon sun, these two are virtually inseparable. Trouble is, the local fishermen mistakenly think that Namu is a threat. Racing against time, Hank must enlist the help of a young widow and her daughter to save Namu and prove that he's a gentle giant!
6
A burlesque comic doubles for a spy in Tangier and meets the spy's girlfriend, who is also a spy.
0
A lawyer tries to exact justice on a woman he defended in court -- a woman whom he found out was guilty after getting her off.
-1
The Singer Duke Mitchell meets Sammy Petrillo in this parody of Martin & Lewis. They arrive on a jungle island, where a mad scientist played by Bela Lugosi makes human esperiments.
-2
An out-of-work architect meets a married woman who has a business proposition for him. The architect begins to suspect the woman's interest in him is not just financial and may actually be deadly.
-2
Alice travels to Paris and hears five stories adapted from children's picture books in this anthology film. The books adapted include: "Anatole," "Madeline and the Bad Hat," "The Frowning Prince," "Many Moons," and "Madeline and the Gypsies."
-1
Aging gunslinger Jacob Wade hopes to settle down with his estranged son, but his old enemies have other plans for him. Gunslinger Jacob Wade finds his long-abandoned son Riley, now a young man who hates his father but has nowhere else to go. Hoping to settle down, Jacob finds no town will have him. They end at Monolith, the ranch of Jacob's former girlfriend Ada, to whom he had no intention of returning. A mustang hunt finds Riley himself attracted to the shapely Ada...and Jacob having trouble with his eyesight. And his visions of a quiet life are doomed by the re-appearance of enemies from his past...
-5
A Jewish woman, Dr. Michele Wolf, interred in a Nazi concentration camp during WWII returns to her Paris home after the war's end. She's unaware that her husband, the handsome gigolo and chess master Stanislaw Pilgrin, has been having an affair with her stepdaughter Fabi in her absence.
1
An LA photographer, driving through backwoods country, spots a young boy walking on the side of the road and offers him a ride home. After reaching the isolated house, he discovers that the boy and his siblings are keeping a woman prisoner as their "mom" and now he is expected to be their "dad"...or else.
-3
A war drama of motor torpedo boats which did much unsung work in WW2, but the naval battles merely provide an exciting story in which an even more special romantic drama is wrapped up.
3
In 1943, Colonel Greg Brandon, stationed at an United States Army Air Forces 8th Air Force, 103rd Bomb Group base in England, repeatedly attempts to persuade superiors that massive daylight bombing will hasten the end of World War II. In spite of the mission's extreme difficulty, his plan is finally put into effect against a German aircraft factory.  During preparation for the raid, Brandon alienates his men by insisting that normal bombing operations continue. His disdain for cautious Lieutenant Archer and brash RAF Wing Commander Trafton Howard further antagonizes his associates, including his girl friend, WAC Lieutenant Gabrielle Ames.  When his bomber crashes the morning of the mission, Brandon boards a bomber manned by Archer and Howard. During the effective air raid, he is impressed by Archer's courage and Howard's judgment.
-2
An 11th-century Viking prince sails to America to find his father, who on a previous voyage had been captured by Indians.
0
From his prison cell, young Alan Musgrave relates his experiences of the previous year dedicated to fulfilling every whim of beautiful and self-absorbed high school senior Barbara Ann Greene.
1
A despondent young woman travels home to the North of England.
-1
A group of five Confederate mercenaries led by Sergeant Will Hansen must choose sides carefully in a small village where they find themselves trapped in the middle of a rebellion. The group is torn as to whether they should honor the powerful military dictator who forces them to spy for him or help the local village fight for its independence. Follow Sergeant Hansen and his men as they make a decision that could cost them their lives.
1
While in Vietnam, a GI promises his dying buddy that he'll take care of his motorcycle, "Baby", when he gets back home. After his discharge, he meets up with his dead friend's girlfriend, gets the bike, and then runs into trouble from some other bikers who don't like the idea of his having the motorcycle or the girl.
-1
Danny, a greenhorn from New York comes to the Mexican border in search for his older brother whom he has always looked up to. A Texas Ranger charged with bringing  in, El Tigre and his gang of bandits,  takes Danny under his wing.
0
Newly-promoted if none too happily married Howard Brubaker leaves a rowdy company party early with the stunning Catherine, whom it turns out is herself unhappily married — to the boss. They spend an innocent night in New York becoming more and more attracted to each other, so that when Catherine announces she intends to leave her husband and return to Paris Howard asks to go along too.
1
An artist working in a remote army post is juggling the storekeeper's daughter, his fiancée newly arrived from the east, and the Indian Chief's daughter. But when a vengeful settler manages to get the army and the braves at each other's throats his troubles really begin.
-1
Margaret Ross is an impoverished old woman who lives alone in a seedy apartment and enjoys a rich fantasy life as an heiress. One day she discovers stolen money hidden by her son and believes her fantasy has come true.
-1
Bill, Martha and their little child Hal are spending a quiet winter Sunday in their cosy house when they get an unexpected visit from Mike Nickerson and Tony Rodriguez. Mike and Tony are old acquaintances of Bill; a few years back, in Vietnam, they were in the same platoon. They also became opposed parties in a court martial - for a reason that Bill never explained to Martha. What happened in Vietnam, and what is the reason for the presence of Mike and Tony ?
0
A bedridden and gravely ill man believes his wife and doctor are conspiring to kill him, and outlines his suspicions in a letter.
-3
Captain Scarlett rescues Princess Maria from being abducted while travelling. She's not exactly grateful. He finds out that she is to be married to a man she doesn't like, so Captain Scarlet attempts to help her but winds up in prison for his efforts. He escapes and finally helps the reluctant bride who winds up joining Captain Scarlett and his sidekick and they become something along the lines of the three musketeers.
0
Two old friends find themselves on opposite sides during the Civil War in a desperate battle atop an impregnable mountain.
-1
Two bear cubs want to meet Santa despite their mother telling them that Santa does not exist. With the help of the park ranger, their wish might come true!
0
Alboino, the Lombard ruler, wants to marry the daughter of a neighboring king, but she loves another. Her father arranges the marriage to Alboino, which he believes will be beneficial to him, only to have Alboino kill him and leave Amalchi, his daughter's real love, beaten and left for dead. Amalchi recovers to lead a revolt against the murderous Alboino and reclaim his woman.
1
A gang of con artists disguise themselves as clerics in order to pull off a job, but soon find that even pretending to be religious people is having an effect on them.
0
During an all-girl secret society initiation, one of the new members is killed playing Russian Roulette. Many years later the survivors are invited for a reunion to a lavish estate, which turns out to be owned by the crazed father of the girl who died.
0
Down-and-out artist Joe Manning (John Bromfield) wakes up from a night of drunken revelry in a jail cell, where he's being held on suspicion for the murder of a nightclub singer.
-3
In a small Mississippi town in 1916, an eccentric spinster battles her romantic yearnings for the randy boy next door.
-1
Dennie has returned from a year among the hippies to her superficial, image-conscious suburban family. She must face their disapproval of her actions. They refuse to even try to understand. She must also deal with an ex-lover, and a beloved young sister who is following in her footsteps, wanting the idealistic hippie life but making some rash decisions in the process.
-3
During the American Civil War (1861-1865), farmers Jesse and Frank James decided to form an armed gang to face the Union troops using guerrilla warfare.
0
After WW2, a Los Angeles crime ring uses a complex scheme, involving a freight ship, a junkie, and a corrupt health officer, to smuggle drugs into the USA.
-3
Daniel Boone leads settlers into Kentucky, but must battle Shawnee Indians who have been persuaded by a French renegade that Boone and the settlers are there to kill them and steal their land.
-1
The singing, rhyming citizens of Hamelin hope to win a competition with rival towns for royal recognition. To this end, the mayor outlaws play (which is a bit hard on the children) and refuses to help a rival town when it's flooded. But rats (seen only as shadows), fleeing the flood, invade Hamelin in droves; a magical piper, whose music only children (and rats) can hear, strikes a bargain...which, once the rats are gone, the Mayor and council renege on, to their subsequent regret.
-5
A group of high school students on an archaeological dig discover a centuries old mummified body in a sealed cave. Removing the mummy, it soon comes back to life, revealing itself to be an inhuman beast that terrorizes a small California town.
-2
A 16-year-old tomboy and high school athlete becomes embroiled with the lives around her boyfriend whose conservative father is running for mayor.
-2
A young woman with precognition realizes she is being stalked by a killer -- a mass murderer she previously had used her psychic powers to identify to the skeptical police.
-3
A police captain is caught between businesses operating on the Los Angeles Sunset Strip who don't like the punks hanging out, and his belief in allowing the kids their rights. But when his daughter gets involved with an unruly bunch, his attitude starts to change.
0
A young man takes in a dog that turns out to be wanted by mobsters.
-1
Nick tries to kill his wife to get her money, but when learning of this, she plans the same for him!
-1
WWII Burma...Six paratroopers undertake an extremely dangerous mission against the Japanese. It will ultimately cost them their lives, except for one "lucky" survivor.
1
Vernon Praiseworthy is a clumsy but lovable dope who stands to inherit his uncle's fortune. The condition is that he travel the rails as a penniless hobo just as his uncle did in the dark days of the depression. That seems simple enough until he gets involved in a dog-napping plot. Written by Jerry Roberts
-2
A pretty singer/dancer is becoming an actress whereas the playboy crown prince is becoming a monarch. The both will have their clandestine romance interfered with by their changing circumstances.
1
Beautiful alien Amazonian women plan to conquer the world using an army of vegetable monsters. Dim-witted privates Philbrick and Penn bumble into a cave in search of atomic activity but collide instead with fierce carrot-topped tree mutants and their leaders, the 7-foot space sirens Prof. Tanga and Dr. Puna. This lavishly low-budget sci-fi romp has the bodacious aliens planning to overrun Earth with their vege-men army, but first they want the G.I.s to explain the meaning of love.
-1
A young rock & roll hopeful is given a shot at the big time by the unscrupulous owner of a small record company.
0
New Faces was a musical revue with songs and comedy skits tied together by a quirky plot. It ran on Broadway for nearly a year in 1952 and was then made into a motion picture in 1954. It helped jump start the careers of several young performers including Paul Lynde, Alice Ghostley, Eartha Kitt, Carol Lawrence, performer/writer Mel Brooks (as Melvin Brooks), and lyricist Sheldon Harnick. The film was basically a reproduction of the stage revue with a thin plot added. The plot involved a producer and performer (Ronny Graham) in financial trouble and is trying to stave off an angry creditor long enough to open his show. A wealthy Texan offers to help out, on the condition that his daughter be in the show.
-2
Tracy Powell, an Indiana farmer, gets the gold fever and heads for Stockton, California in 1849. There, he abandons his first partner, Bert Killian, and teams up with Sam Wilkins, a claim jumper employed by Willis Haver. Six years later, Powell returns to Indiana and his sweetheart, Julie. They marry and he tries farming again but, on the night their son is born, he takes off again searching for gold. This time he heads for the hills with an inveterate prospector, Jimmo McCann. A decade later, the two are still hunting for their big strike when McCann is killed in an accident. Powell returns home with news of a big strike but the deserted Julie will have nothing to do with him. His friend Killian will not believe him but Haver, now a banker gives him a small loan and then beats him out of his claim. Many years pass before he comes home, now sixty-years-old, and this time, his wife and son open their home to him. But he vows to go prospecting come next spring.
-1
A gunfighter who survives his own hanging helps a young widow who is trying to keep a ruthless land baron from taking her ranch.
-1
Jim Vesser and his team of railroading men try to build a rail line through a mountain pass, while a group of less scrupulous construction workers sabotages the entire operation in the hopes that they can get their tracks laid first and get the money from the railroad.
-2
A Siamese twin kills the husband who left her. The courts have to decide if she is convicted of murder, how can they punish her sister, who had nothing to do with the crime?
-4
Father Kino , a 17th-century Jesuit missionary, dedicated his life to helping Native Americans in the Southwest by teaching them agricultural skills as well as building missions and spreading Christianity. An explorer, astronomer and map maker, Father Kino surmounted numerous challenges as he journeyed through California, Arizona and Mexico.
4
Walter Brennan is back as the clever and funny over the hill Texas Ranger Nash Crawford. This time the gang must face corruption in their own home town. The gang put their heads together to clean up their town, take back the rule of law and rehabilitate the town lush (played by Fred Astaire) along with way.
1
A young couple is overjoyed when they find out that, after having had two girls, the wife is pregnant again, and this time it will be a son. However, the boy turns out to autistic. Unhappy with the diagnoses and treatments available, they decide to work out their own therapy program for their son.
2
A divorced socialite decides to join the Army because she hopes it will enable her to see more of her boyfriend, a Colonel. She soon encounters many difficulties with the Army lifestyle. Moreover, her ex-husband is working as a consultant with the Army, and he uses his position to disrupt her romantic plans by making her join a group of WACs who are testing new equipment.
-1
At the Tangier airport, a group of people await the arrival of a mysterious plane from behind the Iron Curtain. The reception committee includes Susan, an American; Gil Walker, a free-booting pilot; Danzer, a black market operator; and Danzer's girlfriend, Nicki. The plane crashes and burns. No survivors are found, nor are any corpses. Soon the search begins for a missing courier worth $3 million.
-1
An electronics genius, who is an ex-con, and four of his lady friends devise a plot to steal millions of dollars from the Chicago Transit Authority. A detective, who had been keeping tabs on him since he got out of prison, suspects that he is up to something and tries to catch him at it.
-3
A rich man's daughter (Rhonda Fleming) sides with a Christian rebel during the fall of the Roman Empire.
0
The feminist author of a national best-seller titled The Lady Says No meets a sexist magazine photographer and decides she'd rather say yes.
0
The marriage of a wealthy, outwardly happy couple is threatened by the husband's alcoholism.
2
A group of communist spies plan to blow up an essential commercial artery, the Panama Canal. To this end, they have kidnapped a nuclear scientist and are traveling by steamship to the coast of South America. Luckily for western civilization, the hard-nosed ship's captain, played by Barton MacLane, has other ideas.
-1
The life and career of Heavyweight Champion Joe Louis, who held the title for 12 years--longer than any other boxer in history--and who had to not only battle opponents inside the ring and racism outside it.
-1
The crew of a fishing boat discovers a deserted luxury yacht at sea with a dead body on board. They claim the yacht as salvage, not knowing that a drug smuggling ring has hidden $500,000 worth of heroin on the boat.
1
An embittered professional wrestler, convinced that his life has no meaning outside the ring, meets a beautiful woman. Unlike most of the women he has known, she seems to be interested in him for himself rather than his fame or his money, and he finds himself becoming attracted to her.
2
Venturing into some of the roughest slums of St. Louis, Jesuit priest Rev. Charles Dismas Clark dedicates himself to helping young ex-convicts who are struggling to rejoin a society that fears and rejects them. An especially wrenching case for the Reverend is Billy Lee Jackson, a troubled thief whose personal demons constantly tempt him back to a life of crime — and may ultimately make him pay the highest price for a few desperate decisions.
-5
The man called Obam struggles with the increasingly hostile forces facing each other in a colonial African country. The African natives want their land and lives back from the British colonists. Obam's motives are questioned by his own people, in particular his brother Kanda. With the help of his wife Renee and missionary Bruce Craig, will he be able to get things under control before the country self-destructs? Written by Greg Bruno
-2
A gay man and a lesbian enter into a marriage of convenience in order to prevent his deportation, and then gradually fall in love with one another.
1
A prominent businessman's children become the target of a young, unemployed man, who sees them as his ticket to wealth.
0
An American playwright living in Rome consults a quack psychiatrist to combat his fears of balding and save his failing marriage.
-3
A crooked sheriff in a small Southern town frames an ex-convict in a drug bust and takes his girlfriend.
-2
Mrs. Emily Pollifax of New Jersey goes to the CIA to volunteer for spy duty, being in her own opinion, expendable now that the children are grown and she's widowed. And being just what the department needed (someone who looks and acts completely unlike a spy), she's assigned to simple courier duty to pick up a book in Mexico City. But when the pickup doesn't go as planned, Mrs. Pollifax finds herself handcuffed to a handsome stranger on a plane bound for an Albanian prison. And it's up to her to get them out.
-1
Television thriller in which a scheming doctor murders once for love and then has to kill again to cover it up.
-1
The actions of various criminals such as Dillinger, Pretty Boy Floyd, Bonnie and Clyde and Baby Face Nelson are reenacted in this film.
0
After being framed, a cowboy is sent to jail. After his time is served, he leaves with vengeance in his heart. Soon he meets a young Native American woman and together they go to settle their score with a small town and its corrupt leader.
-2
Story of the various joys and crises of neighbors who share terraces in a high-rise apartment building.
0
Banker Mason is after the ranchers land so he can resell it to the railroad for a profit. He has the railroad agent killed and replaces him with his stooge who then offers even less than Mason. But Rocky eventually suspects Mason and when Bill Anderson informs him the agent is a fake, they head out after Mason
-5
An American carnival in Germany sets the scene for sin, sex and melodrama.
-1
Captain Hunt of the cavalry is trying to promote good relations with the Indian chief Acoma. But Hunt's superiors in the military insist on pursuing policies that will provoke a conflict, and Chief Acoma is not willing to let himself be insulted.
0
The break-up of an 18 year marriage, seen firstly from his (Richard Burton's) point of view and then from hers (Elizabeth Taylor's).
-1
Directed by Jean Yarbrough Ex-con Joseph Braden (Ron Hagerthy) has his car temporarily stolen by a pair of bank robbers who hide their loot in the vehicle's spare tire. After the car is repossessed, it's sold to the kindly Rev. Daniel Sheridan (Don Beddoe), who immediately sets out on a fishing trip. Not knowing that his new automobile was recently used in a heist, Father Dan gets the surprise of his life when he's suddenly stopped by a police officer.
-1
When a millionaire playboy is murdered, suspicion falls on three married women, each of whom had an affair with him.
-2
A study of absurdity in a suburban family: father recreates the Old Bailey in the living room while the son teaches speak-your-weight machines to sing in the attic.
-1
A man struggles with his identity, his life choices, his interracial relationship, and his latent homosexuality. A portrait of some young intellectuals in early sixties Montreal.
-1
Get Christie Love! is a 1974 made-for-television film starring Teresa Graves as an undercover female police detective who is determined to overthrow a drug ring. This film is based on Dorothy Uhnak's crime-thriller novel, The Ledger.
0
This teen drama follows high-school senior David Wakefield, a talented runner who is set on leading his track-and-field team to victory. As David continues to hone his running skills, he carries on a romance with his pretty sweetheart, Alice Baker, and struggles with other issues that come with the transition to adulthood. Also factoring into David's life is the Vietnam War, with the draft fully underway and young men being regularly called into service.
4
A collection of behind the scenes and home movies from the golden age of Hollywood.
1
A condemned criminal's acquaintances gather at a remote lodge on the eve of his execution to search for hidden money.
-2
Fanning has his men rustle horses and then blame it on a wild horse named Wildfire. Happy and Alkali arrive and immediately get into trouble with Fanning and his men. When Alkali is shot, Happy catches the outlaws but the Judge not only releases them, he discharges the Sheriff and tries to arrest Happy for rustling. Happy escapes and he and the Sheriff then set out to prove who the real rustlers are.
0
An introverted nerd and a dumb, violent jock vie for the attentions of a cheerleader.
-2
A former British Naval Officer now makes his living by smuggling goods around the Mediterranean. After being forced to dump his cargo after nearly being caught by the authorities in Malta, he is eager to recoup his losses. When a former colleague appears and tells a wild story about smuggling diamonds out of South West Africa, he sees his chance to make a lot of money....
-1
In Italy during World War II, an American headquarters is evacuated when German forces break through the front lines. A demolition squad is sent back to the abandoned headquarters to destroy valuable records that were left behind before they fall into German hands.
-2
Underwater exploration by oceanographers and geologists round the coast of Southern California and Mexico. Portrays many species and varieties of fish and mammals as well as ocean flora and rock formation.
2
Ken Murray narrates his 16mm home movies shot over 35 years in Hollywood.
0
Jared Martin plays an aspiring film maker obsessed with the idea of Christ as a woman, and tries to film his vision with Sondra Locke as his subject. 'Based' on a song by Leonard Cohen.
0
A dramatization of the story of legendary movie actor James Dean. The film's writer, William Bast, had roomed with Dean in the early '50s, when both were trying to break into films as actors, and was his lover for a time.
1
The life of Blues and folk singer Huddie Leadbetter, nicknamed Leadbelly is recounted. Covering the good times and bad from his 20s to 40s. Much of that time was spent on chain gangs in the south. Even in prison he became well known for the songs he had composed and sung during and before the time he spent there.
0
A young priest questions his faith after he falls in love with a social worker.
1
John Wayne hosts this video which was produced during the Vietnam War when the Communist threat was at its height.
-1
A man struggling to support his family on the meager wages of his menial job has always dreamed of running his own business. He transforms an old Cadillac into a taxi and faces many challenges trying to run his own taxi services. The interesting people he meets while driving around the city adds to the fun and excitement.
1
Don Pablo Salazar steals a fortune in jewels from an Indian tribe and an Aztec medicine man puts a curse on the jewels until they are returned. Years later, an American insurance man promises to deliver the Salazar fortune to the rightful heir...
2
This crime drama follows Italian police commissioner Caprile (Henry Silva) as he races to rescue the 6-year-old daughter of an important businessman. Also hoping to save her is Frank Salvatore (Gabriele Ferzetti), the old-school Mafia don accused of the crime. Caprile leans on a low-level thug (Philippe Leroy) for information and is led to Salvatore, who considers children to be off-limits as targets and hopes to restore his reputation
1
America's DJ Dick Clark and Robert Walker Jr. star as two country boys who decide to rob a pile of cash from a bootlegger, assisted by the man's restless wife (Diane Varsi). But the heist doesn't go as planned and takes a tragic turn. The trio of would-be thieves then takes off for California, but with the police already on their tail, it's clear that a trail of blood and death is going to follow them all the way there.
-3
An intimate look at life in the ghetto: Johnny Williams is a house painter who moonlights as a poet, struggling to financially and emotionally support his cancer-ridden wife Mattie. But times are tough and the poverty-troubled streets are even tougher, and it takes every ounce of Johnny's love and courage for the couple to make it through their strife, finding redemption in the River Niger.
4
A young man will inherit a huge fortune--8 million pounds--but to qualify, he must spend a million pounds in just two months. Easy to do? That's what you think!
3
This documentary depicts the wild swinging youth scene of the turbulent 60's, with in-depth footage of hippies doing a protest march against the Vietnam war in Washington, D.C., a rowdy New Jersey biker club called the Aliens letting it all hang out, and kids having themselves a groovy good time at a funky Florida rock festival.
-4
A plan to steal a valuable work of art leads to murder.
1
From Allen Funt, the creator of TV's "Candid Camera." The hidden camera is pointed at people dealing with money in all sorts of human and, often, hilarious circumstances.
1
A reporter learns that his girlfriend's father, an old sea captain, is being paid by the mob to transport gangsters out of the country.
-1
A theatrical impresario tries to win a bet with a psychiatrist over the production of a perfect baby.
2
Host Henry Fonda follows the creation of the star system with Mary Pickford in the Silent Era through its demise in the early Sixties.
0
Jordan West is a divorcée who moonlights at a professional dating service to make ends meet. But her secret job causes gossip among her neighbors and trouble at the real estate office where she works in the daytime, while her teenage daughter is the only one who remains oblivious to her mother's night job. When Jordan tries to quit her escort profession, she finds herself harassed by her boss/madam, Mrs. Kennedy, and then stalked by an unknown former client.
-4
Recovering from a heart attack, a workaholic editor recalls the simple days of his youth. Robertson adds an emotional center to this messy, flashback-filled 'heavy' dramatic piece. Plenty of co-star talent.
-1
A policeman is accused of manslaughtering a 14-year-old boy but is acquitted of all charges. Still, he feels a lot of guilt and begins to doubt if he really is innocent after all.
-2
A retired entertainer makes his living as a street musician on the streets of London. Two young children befriend the old musician, brightening his otherwise colorless life
0
When the police discover that their motorcycles are concealing heroin, Waco (Robert Porter) and his motorcycle gang hides out in a desert convent. A highway patrolman (Billy 'Green' Bush) hunts down the gang after they kidnap a nun, Sister Anna (Tippy Walker) and flee the convent. Soon Waco and the young nun fall in love and she is forced to decide whether or not to leave the church for him. (alfiehitchie)
-2
A singing territorial ranger (Gene Autry) spots his younger brother in an outlaw gang.
-1
The body of Laura Palmer is washed up on a beach near the small Washington state town of Twin Peaks. FBI Special Agent Dale Cooper is called in to investigate her strange demise only to uncover a web of mystery that ultimately leads him deep into the heart of the surrounding woodland and his very own soul.
-2
Follow the intergalactic adventures of Capt. Jean-Luc Picard and his loyal crew aboard the all-new USS Enterprise NCC-1701D, as they explore new worlds.
1
The story about a blue-collar Boston bar run by former sports star Sam Malone and the quirky and wonderful people who worked and drank there.
2
When Dr. Indiana Jones – the tweed-suited professor who just happens to be a celebrated archaeologist – is hired by the government to locate the legendary Ark of the Covenant, he finds himself up against the entire Nazi regime.
3
Clue finds six colorful dinner guests gathered at the mansion of their host, Mr. Boddy -- who turns up dead after his secret is exposed: He was blackmailing all of them. With the killer among them, the guests and Boddy's chatty butler must suss out the culprit before the body count rises.
-2
In 1938, an art collector appeals to eminent archaeologist Dr. Indiana Jones to embark on a search for the Holy Grail. Indy learns that a medieval historian has vanished while searching for it, and the missing man is his own father, Dr. Henry Jones Sr.. He sets out to rescue his father by following clues in the old man's notebook, which his father had mailed to him before he went missing. Indy arrives in Venice, where he enlists the help of a beautiful academic, Dr. Elsa Schneider, along with Marcus Brody and Sallah. Together they must stop the Nazis from recovering the power of eternal life and taking over the world!
4
After arriving in India, Indiana Jones is asked by a desperate village to find a mystical stone. He agrees – and stumbles upon a secret cult plotting a terrible plan in the catacombs of an ancient palace.
-3
Follow the lives of a group of teenagers living in the upscale, star-studded community of Beverly Hills, California and attending the fictitious West Beverly Hills High School and, subsequently, the fictitious California University after graduation.
-1
After high school slacker Ferris Bueller successfully fakes an illness in order to skip school for the day, he goes on a series of adventures throughout Chicago with his girlfriend Sloane and best friend Cameron, all the while trying to outwit his wily school principal and fed-up sister.
0
In a violent, near-apocalyptic Detroit, evil corporation Omni Consumer Products wins a contract from the city government to privatize the police force. To test their crime-eradicating cyborgs, the company leads street cop Alex Murphy into an armed confrontation with crime lord Boddicker so they can use his body to support their untested RoboCop prototype. But when RoboCop learns of the company's nefarious plans, he turns on his masters.
-2
This newsmagazine series investigates intriguing crime and justice cases that touch on all aspects of the human experience. Over its long run, the show has helped exonerate wrongly convicted people, driven the reopening — and resolution — of cold cases, and changed numerous lives. CBS News correspondents offer an in-depth look into each story, with the emphasis on solving the mystery at its heart.
-1
A diamond advocate is attempting to steal a collection of diamonds, yet troubles arise when he realizes that he is not the only one after the diamonds.
-1
When the incompetent Lieutenant Frank Drebin seeks the ruthless killer of his partner, he stumbles upon an attempt to assassinate Queen Elizabeth II.
-5
Former 1960s flower children Steven and Elyse Keaton raise their conservative son Alex, daughters Mallory and Jennifer, and later, youngest child Andrew.
-1
Count Dracula adjourns to Earth, accompanied by Frankenstein's Monster, the Wolfman, the Mummy, and the Gillman. The uglies are in search of a powerful amulet that will grant them power to rule the world. Our heroes - the Monster Squad are the only ones daring to stand in their way.
1
A filmmaker recalls his childhood, when he fell in love with the movies at his village's theater and formed a deep friendship with the theater's projectionist.
0
Johnny Smith is a schoolteacher with his whole life ahead of him but, after leaving his fiancee's home one night, is involved in a car crash which leaves him in a coma for 5 years. When he wakes, he discovers he has an ability to see into the past, present and future life of anyone with whom he comes into physical contact.
-1
He's everyone's favorite action hero... but he's a hero with a difference. Angus MacGyver is a secret agent whose wits are his deadliest weapon. Armed with only a knapsack filled with everyday items he picks up along the way, he improvises his way out of every peril the bad guys throw at him.

Making a bomb out of chewing gum? Fixing a speeding car's breaks... while he's riding in it? Using soda pop to cook up tear gas? That's all in a day's adventures for MacGyver. He's part Boy Scout, part genius. And all hero.
1
A sheltered Amish child is the sole witness of a brutal murder in a restroom at a Philadelphia train station, and he must be protected.  The assignment falls to a taciturn detective who goes undercover in a Pennsylvania Dutch community. On the farm, he slowly assimilates despite his urban grit and forges a romantic bond with the child's beautiful mother.
-2
A young beautician, newly arrived in a small Louisiana town, finds work at the local salon, where a small group of women share a close bond of friendship and welcome her into the fold.
2
By 2017, the global economy has collapsed and U.S. society has become a totalitarian police state, censoring all cultural activity. The government pacifies the populace by broadcasting a number of game shows in which convicted criminals fight for their lives, including the gladiator-style The Running Man, hosted by the ruthless Damon Killian, where “runners” attempt to evade “stalkers” and certain death for a chance to be pardoned and set free.
-4
After returning home from the Vietnam War, veteran Jacob Singer struggles to maintain his sanity. Plagued by hallucinations and flashbacks, Singer rapidly falls apart as the world and people around him morph and twist into disturbing images. His girlfriend, Jezzie, and ex-wife, Sarah, try to help, but to little avail. Even Singer's chiropractor friend, Louis, fails to reach him as he descends into madness.
-7
A freewheeling Detroit cop pursuing a murder investigation finds himself dealing with the very different culture of Beverly Hills.
-1
Five years after the horrible bloodbath at Camp Crystal Lake, a new group of counselors roam the area, not sensing an ominous lurking presence that proves the grisly legend is real.
-4
It is the dawn of World War III. In mid-western America, a group of teenagers band together to defend their town—and their country—from invading Soviet forces.
1
Classic Saturday-morning cartoon series featuring magical blue elf-like creatures called Smurfs. The Smurfs, named for their personalities, inhabit a village of mushroom houses in an enchanted forest. These loveable creatures are led by Papa Smurf and live carefree... except for one major threat to their existance: Gargamel, an evil but inept wizard who lives in a stone-built house in the forest; and his feline companion, the equally nasty Azrael. 
1
Keen young Raymold Avila joins the Internal Affairs Department of the Los Angeles police. He and partner Amy Wallace are soon looking closely at the activities of cop Dennis Peck whose financial holdings start to suggest something shady. Indeed Peck is involved in any number of dubious or downright criminal activities. He is also devious, a womaniser, and a clever manipulator, and he starts to turn his attention on Avila.
-2
A young boy tells three stories of horror to distract a witch who plans to eat him.
-1
Two New York cops get involved in a gang war between members of the Yakuza, the Japanese Mafia. They arrest one of their killers and are ordered to escort him back to Japan. However, in Japan he manages to escape, and as they try to track him down, they get deeper and deeper into the Japanese Mafia scene and they have to learn that they can only win by playing the game—the Japanese way.
0
The Mario Bros., Princess Toadstool, and Toad protect the Mushroom Kingdom against the evil forces of Bowser and his seven Koopa Kids.
0
It's 1961, two years after the original Grease gang graduated, and there's a new crop of seniors and new members of the coolest cliques on campus, the Pink Ladies and T-Birds. Michael Carrington is the new kid in school - but he's been branded a brainiac. Can he fix up an old motorcycle, don a leather jacket, avoid a rumble with the leader of the T-Birds, and win the heart of Pink Lady Stephanie?
1
Alex Owens, a teen juggling between two odd jobs, aspires to become a successful ballet dancer. Nick, who is her boss and lover, supports and encourages her to fulfil her dream.
2
Dr. Louis Creed's family moves into the country house of their dreams and discover a pet cemetery at the back of their property. The cursed burial ground deep in the woods brings the dead back to life -- with "minor" problems. At first, only the family's cat makes the return trip, but an accident forces a heartbroken father to contemplate the unthinkable.
-4
James Bond returns as the secret agent 007 to battle the evil organization SPECTRE. Bond must defeat Largo, who has stolen two atomic warheads for nuclear blackmail. But Bond has an ally in Largo's girlfriend, the willowy Domino, who falls for Bond and seeks revenge.
-4
Elderly Scott kills himself after a heart attack wrecks his body, but then comes back as a ghost and convinces his loving young hot wife Kate to pick and kill a young man in order for Scott to possess his body and be with her again.
-2
Jack Chester, an overworked air traffic controller, takes his family on vacation to the beach. Things immediately start to go wrong for the Chesters, and steadily get worse. Jack ends up in a feud with a local yachtsman, and has to race him to regain his pride and family's respect.
0
Axel heads for the land of sunshine and palm trees to find out who shot police Captain Andrew Bogomil. Thanks to a couple of old friends, Axel's investigation uncovers a series of robberies masterminded by a heartless weapons kingpin—and the chase is on.
-1
A caretaker at a summer camp is burned when a prank goes tragically wrong. After several years of intensive treatment at hospital, he is released back into society, albeit missing some social skills. What follows is a bloody killing spree with the caretaker making his way back to his old stomping ground to confront one of the youths that accidently burned him.
-6
A newly-developed microchip designed by Zorin Industries for the British Government that can survive the electromagnetic radiation caused by a nuclear explosion has landed in the hands of the KGB. James Bond must find out how and why. His suspicions soon lead him to big industry leader Max Zorin who forms a plan to destroy his only competition in Silicon Valley by triggering a massive earthquake in the San Francisco Bay.
-1
A disillusioned young writer living in New York City turns to drugs and drinking to block out the memories of his dead mother and estranged wife.
-3
A mother/daughter pair of witches descend on a yuppie family's home and cause havoc, one at a time since they share one body & the other must live in a cat the rest of the time. Now it's up to the family's mother, a private detective, and a suspended police officer to try and stop the witches.
-1
Harold, a professional gambler, and his girlfriend Bonita, a lounge singer, follow Willie, a young blackjack dealer, around the western U.S. Harold has a jinx on Willie and can't lose with him. Bonita and Willie meet and fall for each other and plot to do away with Harold and collect on his life insurance.
-3
A jewel thief steals a sacred ruby which sets off a chase by the police, the Turkish government, nutty American terrorists, and the CIA.
-1
It is just another day in the small town of Hamlin until something disastrous happens. Suddenly, news breaks that a series of nuclear warheads has been dropped along the Eastern Seaboard and, more locally, in California. As people begin coping with the devastating aftermath of the attacks — many suffer radiation poisoning — the Wetherly family tries to survive.
-5
A British spy ship has sunk and on board was a hi-tech encryption device. James Bond is sent to find the device that holds British launching instructions before the enemy Soviets get to it first.
-2
A scheming woman (Krista Errickson) seeks to kill her husband to collect the insurance money, and is willing to seduce anyone she can to do it - including her husband's brother.
0
During shopping for Christmas, Frank and Molly run into each other. This fleeting short moment will start to change their lives, when they recognize each other months later in the train home and have a good time together. Although both are married and Frank has two little kids, they meet more and more often, their friendship becoming the most precious thing in their lives.
1
After capturing the notorious drug lord Franz Sanchez, Bond's close friend and former CIA agent Felix Leiter is left for dead and his wife is murdered. Bond goes rogue and seeks vengeance on those responsible, as he infiltrates Sanchez's organization from the inside.
-4
A police detective tracks a serial killer who is stalking young women on a beach front after each game that a baseball pitcher wins.
0
A hard-nosed cop reluctantly teams up with a wise-cracking criminal temporarily paroled to him, in order to track down a killer.
-3
Zack Mayo is an aloof, taciturn man who aspires to be a navy pilot. Once he arrives at training camp for his 13-week officer's course, Mayo runs afoul of abrasive, no-nonsense drill Sergeant Emil Foley. Mayo is an excellent cadet, but a little cold around the heart, so Foley rides him mercilessly, sensing that the young man would be prime officer material if he weren't so self-involved. Zack's affair with a working girl is likewise compromised by his unwillingness to give of himself.
-4
Inspector Gadget is a clumsy, dim-witted human cyborg detective with various bionic gadgets built into his body. Gadget stumbles around working the cases while his niece and dog do most of the investigating. Gadget's arch-nemesis is Dr. Claw, the leader of an evil organisation, known as "M.A.D."
-3
Two escaped cons' only prayer to escape is to pass themselves off as priests and pass by the police blockade at the border into the safety of Canada.
0
Eddie is a con artist. When he's framed and comes before a judge, he hopes to get off the hook by climbing insanity—but instead ends up in a hospital for a mental assessment. That night, a storm causes a power failure and, in the ensuing chaos, Eddie is mistaken for a doctor and suddenly finds himself in charge of the hospital.
-3
A drifter becomes both a bank robber and a hero in this crime thriller. Andrew McCarthy stars as Wade Corey, who hitches a ride on a freight train already occupied by Doyle Kennedy (Matt Dillon), a charming ex-con who convinces Wade to accompany him to his hometown. Once there, Wade realizes too late that Doyle is intent on robbing the local bank. After they are separated following the crime, Wade hides the money. Happening upon a drowning in progress, he saves a young girl who just happens to be the daughter of the state governor, and he becomes an unlikely hero. Finding work at a nearby farm, the meandering Wade becomes a hired hand, falls for the beautiful daughter (Leslie Hope) of his boss, and dreads the return of Doyle, who is sure to come looking for his money.
0
Continuing drama combining romance and intrigue set against the glittering backdrop of Beverly Hills and the American fashion industry.
1
A put-upon Jewish deli owner in Brooklyn dreams of getting out from underneath the thumb of his domineering father and his haughty fashion-model girlfriend by buying his own restaurant in midtown Manhattan.
-2
Two couples go to a mutual friends wedding, and end up swapping partners.
0
It's five years later and Tony Manero's Saturday Night Fever is still burning. Now he's strutting toward his biggest challenger yet - making it as a dancer on the Broadway stage.
-2
A newly-elected Pope Leo XIV finds himself accidentally locked out of the Vatican. Unknown to the outside world, he winds up in an impoverished Italian village, where his adventures ultimately teach the Pope and his new friends some important lessons about friendship and self-esteem. Written by Chris DeSantis
-1
The death of King Henry VIII throws his kingdom into chaos because of succession disputes. His weak son, Edward, is on his deathbed. Anxious to keep England true to the Reformation, a scheming minister John Dudley marries off his son, Guildford to Lady Jane Grey, whom he places on the throne after Edward dies. At first hostile to each other, Guildford and Jane fall in love, but they cannot withstand the course of power which will lead to their ultimate downfall.
-6
In this true story told through flashbacks, Christy Brown is born with crippling cerebral palsy into a poor, working-class Irish family. Able only to control movement in his left foot and to speak in guttural sounds, he is mistakenly believed to have a intellectual disability for the first ten years of his life.
-3
This sequel to the classic Chinatown finds private detective Jake Gittes still haunted by the events of the first film. Hired by a man to investigate his wife's infidelities, Jake once again finds himself involved in a complicated plot involving murder, oil, and even some ghosts from his past.
-2
Jay Austin is now a civilian police detective. Colonel Caldwell was his commanding officer years before when he left the military police over a disagreement over the handling of a drunk driver. Now a series of murders that cross jurisdictions force them to work together again. That Austin is now dating Caldwell's daughter is not helping their relationship.
-1
The young wife of a tobacco farmer falls in love with their handsome hired hand.
1
In a small coastal California town, Henry and Nicky are pals from blue collar families with only a short time before they ship off to World War II. Henry begins romancing new-to-town Caddie Winger, believing her to be wealthy. Mischievous and irresponsible, Nicky gets into trouble which forces the other two to become involved, testing their relationship, as well as the friendship between the boys.
-1
In order to rescue the son of a diplomat who has been kidnapped by terrorists, a group of Las Vegas showgirls undergo commando training and organize a rescue operation.
0
A teenage musician goes on the run from killers and the police when he returns home to find his home empty and his family gone.
-1
A supernatural TV is mistakenly delivered to a suburban family instead of a research lab. After the family mysteriously turn up dead, a new family moves in and finds the TV hidden in the basement. Soon they discover the TV is actually a gateway for the undead.
-3
Paul Reubens stars as Pee-wee Herman in his second full-length film about a farmer who joins the circus after a storm drops a big tent in his front yard. Pee-wee, along with an outlandish cast of animals and circus performers, puts on the best show ever.
1
Hey Dude is an American Western comedy series that aired from 1989 to 1991. The show was broadcast on the Nickelodeon network, and aired reruns on Nickelodeon until early 1999, and now on TeenNick ever since late 2011. Hey Dude was Nickelodeon's second original live action television series, following the 1984 series Out of Control.

The series was set on the fictional "Bar None Dude Ranch" near the city of Tucson, Arizona. It portrayed the lives of the ranch's owner, his son, a female ranch hand, and four teenage summer employees. Hey Dude was a comedy geared towards a teenage audience.

The complete series have been released on DVD. Only the first four seasons are on iTunes.
-1
A teenager becomes a werewolf after a family vacation in Transylvania.
0
Several couples head upstate to the country to watch a boat being built. Unfortunately they are stalked by a murderer behind a ghoulish mask.
-2
The Second Amendment of the Constitution forms the basis of this drama that follows the crusade of a lawyer to allow citizens to carry handguns. He launched his fight after his wife and daughter were killed during a robbery.
-1
Bringing his unique sense of humor to this bizarre and original piece of moviemaking, Tom Waits takes the audience through a musical journey with his jazzy, quirky, bluesy tunes presented as you would never, ever, ever expect.
0
In the future, national boundaries have been broken down and two giant super-states remain—the bleak, oppressive, and totalitarian "Hemisphere," and the sprawling and futuristic "Megaville." Megaville has an elected president, but the entire system is rife with corruption. All forms of media are encouraged in Megaville, but this freedom has aided moral decay with the distribution of pornography and violent movies. Outside Megaville lies the Hemisphere; whereas Megaville is clean and ordered, the Hemisphere is in a state of decay. Travel from the Hemisphere to Megaville is restricted with few exceptions to the powerful. An outwardly totalitarian regime governs the daily life of civilians in the Hemisphere and the people live in fear of the "CKS" (the secret police). All forms of media are illegal in the Hemisphere.  CC wikipedia.org
-10
3 dead women, blood drained through small bites and placed around L.A. The murders catch international attention of a lonely man looking to teach a suspected vampire some morals.
-4
A young girl embarks on a series of misadventures, causing her friends and teachers to be worrisome. Based on the children's books by Ludwig Bemelmans.
-1
Duncan Jax must stop the evil terrorist Scarlet Leader from acquiring nuclear bombs that could start WW3. Together with the trusty baboon, Boon, he takes on the almost impossible mission! He must steal the gold that Scarlet leader plans to use to purchase the weapons of destruction.
-3
Matt Butler joins a group of soldiers hunting Communist backed rebels who have been conscripting men into their forces and pillaging the land. Stars Deon Stewardson, Glen Gabela, Shayne Leith, Adrienne Pearce
0
An elite group of vice cops are fired from the L.A.P.D. for being over-zealous in their war against drugs. It is immediately apparent that some of their superiors are involved in the drug ring. Banded together, four of the banned cops (which quickly becomes three when one is killed early) band together to fight the drug ring undercover. They gain capital for weapons by ripping off minor drug dealers. Then well-armed they go after the kingpin (Boyd).
1
An average kind of guy who has a slight problem with gambling goes to the track, and mystically, it seems as though he can't lose, no matter how he bets; and he has an incredible day.
-1
An English nanny and one of two brothers fall down a Hawaiian cave, all the way to Atlantis.
-2
The uncle of an executed murderess relates four stories of his hometown, Oldfield, to a reporter. In the first, an elderly man pursues a romance with a younger woman, even to the grave and beyond. In the second, a wounded man on the run from creditors is rescued by a backwoods hermit who holds the secret to eternal life. In the third, a glass-eating carny pays the ultimate price for looking for love on the outside. And in the fourth, a group of Civil War soldiers are held captive by a household of orphans with strange intentions for them.
-2
A wife unhappy in her marriage begins an affair with an art student, unaware that her husband, a race driver, is also having an affair.
-1
A reporter named Mullen 'stumbles' onto a story linking a prominent Member of Parliament to a KGB agent and a near-nuclear disaster involving a teenage runaway and a U.S. Air Force base. Has there been a Government cover-up? Mullen teams up with Vernon Bayliss, an old hack, and Nina Beckam, the MP's assistant, to find out the truth.
-2
The chilling true story of the "two of a kind" killing cousins, Angelo Buono and Kenneth Bianchi, better known as the Hillside Stranglers.
0
The escapades of a crew of zany parking lot attendants.
-1
David Miller is a Vietnam vet who renounced violence and became a minister after he was forced to blow up a Viet Cong kid in self defense, but years later, when David's wife Gail and daughter Kim are killed by a group of terrorists led by Ali Aboud, in a massacre at an airport in Rome, Italy, David is devastated. Going against his faith, David sets out to find and kill Ali Aboud.
-3
Orphaned brothers Kutchek and Gore are adopted by a tribe led by Canary the owner of a powerful jewel. The evil Kadar wants both Canary and the jewel. Attacking the tribe he kidnaps Canary but the stone eludes him. The brothers are taken to be trained as gladiators and years later have grown to be VERY big. They escape and set off on a quest to find the jewel and rescue Canary.
1
When Dr. Peter Fales's patients start getting annihilated by an unknown serial killer, he and his daughter Alison both come under suspicion. Julie, a syndicated “Dear Abby”-style columnist, is in one of Dr. Fales's therapy groups. After she receives several ominous letters she not only wonders if Dr. Fales might be behind the killings, she also starts to suspect her estranged husband.
-5
Starflight One, a commercial aircraft that can whisk passengers around the globe in a matter of hours, embarks on its maiden voyage. The trip goes horribly awry, however, when the aircraft is forced out of the atmosphere and into outer space. As it is too dangerous to attempt reentry, Captain Cody Briggs, his passengers and his crew brave declining levels of oxygen while NASA scientists scramble to launch a rescue mission in a race against time.
-2
No overview found.
0
A group of mercenaries is hired to spring Rudolf Hess from Spandau Prison in Berlin.
-1
A woman tormented by ghostly apparitions and a professor of psychic phenomena investigate other-worldly disturbances and unlock the secret of a malevolent force reaching out for vengeance from beyond the grave.
-4
It's an ordinary date night for Billy (Kevin T. Walsh) and Alison (Camille Carrigan) until mysterious forces whisk them away to an underground arena, where Billy must fight other captives for the wagers of wealthy men and the pleasure of Queen Diana (Erika Nann). When he's not battling for his life or protecting Alison from Diana's lecherous bodyguards, Billy attempts to rally his fellow slaves into a full-blooded revolt.
-2
Four losers borrow money from gangsters to bet on a "sure thing", but lose. The gangsters go after them to get their money.
-4
Three spoiled college girls are held responsible for a handicapped boys death.
-3
A Pittsburgh apartment superintendent loses his job and home when the apartment building where he lives and works at is suddenly destroyed by fire. Daniel and his family moves in with his brother but that doesn't last for long due to the two families not getting along with each other. The family moves from rundown hotels to homeless shelters as Daniel searches work as a electrician while his wife takes waitress jobs to try to make ends meet.
1
The Official Golden Harvest tribute to the Master of the Martial Arts Film, Bruce Lee.
2
Travis is due to marry Stephanie in a few days when he is convinced by beautiful saleswoman Jonni to buy a fancy sports car. The car looks good, but it turns out to be a piece of junk. Travis is determined to get satisfaction and he and Jonni hit the road to confront the crooked car dealer.
0
In 1938 Berlin, Gudrun Landgrebe, wife of Nazi functionary Kevin McNally, begins taking art lessons. She makes the acquaintance of another student, Japanese ambassador's daughter Mio Takaki. Soon afterwards, the two women begin a passionate lesbian affair. This leads to a chain reaction of disaster and tragedy, culminating with the inevitable intervention of the Gestapo. Despite the film's galloping sexual passions, The Berlin Affair is an exercise in aloofness, keeping the characters at arm's length-surprising, considering that the director was Liliana Cavani, auteur of the erotic classic The Night Porter (1974). The film was based on The Buddhist Cross, a novel by Junichiro Tanizaki.
1
Eureeka's Castle is an American children's television series that aired on Nickelodeon from September 4, 1989 to June 30, 1995.
0
Two aged sisters reflect on life and the past during a late summer day in Maine.
0
A prostitute and a drifter find themselves bound together as they make their way through the rural South, doing what they have to do to survive.
0
Sometime in the distant future, a fledgling band gets an opportunity for a breakthrough, if they can make it in time to a faraway planet to perform in a very popular club.
2
History professor Scott McKenzie makes an anachronistic discovery in a photograph from the Old West and he is soon joined by beautiful time-traveler Georgia in a time-skipping adventure to stop her colleague from the future from erasing her from existence.
1
Ralph is a sexually frustrated vampire who suffers from a peculiar curse. He's condemned for eternity to watch his one true love, Mona be murdered by a pirate wielding a ham bone. But now? Now it's 1990, and Ralph is determined to break Mona's cycle of reincarnation. His first order of business is winning her affections-- He does that by starting Rockula: a rock band that's sure to stake a claim on her heart.
-3
The New Archies is a children's television cartoon, based upon the long-running Archie comic books and characters. The series, produced by DIC Entertainment and originally airing on NBC, re-imagined Archie Andrews, Betty Cooper, Veronica Lodge, Jughead Jones, Reggie Mantle, and the other teenage students of Riverdale High School as pre-teens in junior high. Fourteen episodes of the show were produced, which all aired during the show's first and only season in 1987 and were repeated in 1989. A short-lived Archie Comics series was produced bearing the same title and set in the same universe as the animated series. Reruns of the series ran on The Family Channel's Saturday morning lineup, 1991 to 1993 and on Toon Disney from 1998 to 2002.

In this series Veronica speaks like a valley girl. However, in previous animated cartoons and the radio show, she had a southern accent. Dilton Doiley was replaced as the "intellectual" character by an African American named Eugene. Eugene's girlfriend Amani was another addition to the cast. Archie also gained a dog, Red.
1
Earth has been ravaged by a nuclear war, and a feminist warrior is forced to join up with a soldier of fortune in her journey to find a rumored "paradise" as they battle gangs of rampaging bandits.
2
A bandit leader endowed with supernatural powers by his sorceress mother makes yearly raids on a peasant village. However, the women of the village come into possession of a magic sword, and go in search of a hero who is able to wield it and save their village from the evil bandit.
1
Marco Veniera goes to Bogota, Columbia to find his brother, Luca who supposedly committed suicide. In his search, he meets fiery and exotic Irene Costa, who leads him into the depths of the Amazon jungle. But it's every man for himself. And brotherly love turns to hate.
2
To stay out of the slammer, down-on-his-luck bounty hunter Vince Holloway reluctantly agrees to do the bidding of two crooked IRS agents. Tasked with recouping $20 million of laundered drug money, Holloway heads south of the border to the Blue Iguana, a bar crawling with thugs, killers, smugglers, evil women, and crazy action.
-6
A lonely 10-year-old boy living with his parents in a remote coastal part of Alaksa, spontaneously finds a legendary golden seal and her newborn pup. But the greed for her valuable pelt sets off the hunters, including his own father, the local natives, and an ambitious poacher in pursuit the seal. The golden seal and her cub are hunted for a huge bounty on her head and the mythological legend
3
Three young friends who are on vacation in Spain and a NASA scientist must join forces to save themselves and the rest of the world from an alien menace.
-1
American tour guide Mo Alexander misses her tour group, and then her flight out of Paris. Stuck in the city of romance, Mo runs into the very suave -- and very married -- Xavier, who attempts to seduce Mo while his family is out of town. His charms prove hard to resist, and Mo succumbs, though her conscience weighs heavy. Soon their bickering romance of convenience takes a serious turn, and, in spite of himself, Xavier finds he's falling in love.
-2
A teenager insists he saw a satanist kill the call girl next door, and tries to prove it.
-1
Mild-mannered mystery writer D. H. Mercer has become so immersed in his material that his creation, hard-boiled private eye Biff Deegan, constantly appears to him as a hallucination. Intent on getting rid of Biff, and replacing him with a more civilized detective, Mercer soon finds himself in a genuine mystery involving art fraud, murder, and a beautiful lady in peril.
-4
Once upon a time a god gave a mighty sword to the king of Aquiles to bring justice to his people. Now he wants it back - but the king rather gives his life than the sword. Goddess Dehamira, who spoke for him, is being taken all her privileges and banned in a circle of fire, until a human arrives who's strong enough to free her. When prince Ator becomes 18, he gets the sword from the mean sorcerer gnome Grindl, to free Dehamira and his people. On his journey he has to fight against dragons and other fantastic figures.
7
In this made-for-TV drama, Angie Dickinson stars in three separate vignettes as a woman whose life is dramatically affected by the emotion that gives the film its name.
0
Based on the diary of an unknown Viet Cong soldier, this film provides a sympathetic look at a Viet Cong soldier who protected a captured American soldier whom he believed did not kill him when the American had the opportunity. Written by John Sacksteder
-2
A squad of Libyan terrorists infiltrate the city of Kokomo, Indiana, with the goal of car bombing a nuclear power plant. While attempting to escape local law enforcement, a massive car chase ensues, terrorizing the entire town before the terrorists end up at the local high school and take the detention class hostage. Will they escape? Will the crafty delinquents foil their plans? Will Chuck Connors step more than two feet away from his car? Watch and find out!
-3
An aging school teacher (Lansbury) at a Catholic grammar school in Minnesota questions her life's existence when she has to start battling a new bishop (Prosky). As a result she retires and moves to Ireland where she seeks an admirer (Elliott) with whom she has been corresponding for five years.
1
The writer of a bad TV series begins to rethink his life when he meets and falls in love with a beautiful actress.
0
In this romantic comedy, a lonely man meets a lonely woman after they each post ads in the lonely-hearts section of the classified ads. Unfortunately, neither one is totally honest about themselves and merry mix-ups ensue until a romance finally blossoms.
1
A group of treasure-seekers embark on a expedition into high adventure as they race to discover what's really located in the mysterious ice cave.
-2
A rock star falls for a rich man's son who competitively board-sails the coast of Western Australia.
0
Adapted from a play written by two Monty Python vets, this toothy satire launches with a tragic accident at Chumley's chocolate factory when hapless manager Ian Littleton (Tyler Butterworth) accidentally knocks several employees into a huge chocolate vat. The tragic mishap at the chocolate factory results in candy lovers getting an unexpected 'extra' in their sweets.
-4
An attorney finds himself at the center of a surprise reunion with the veterans of his platoon from Vietnam.The reunion stirs up painful memories and disturbing secrets for all involved.
-2
The last of Robert Blake's three "Joe Dancer movies" finds the private investigator framed for manslaughter as he tries to uncover a Hollywood scandal that could ruin a studio and destroy a top star's career.
-2
On the isle of Rhodes, Katherine, an expatriate English photographer, lives with her daughter. A young local wants to encourage tourism, so he commissions a sculpture of the Unknown Tourist for the town square; the sculptor he brings to Rhodes is Kate's ex-husband. Also there to see Kate is Sharp, an aging antiquarian and her dear friend. He has something important to tell her. As Kate, her ex, and Sharp sort out things that go back years, two English tourists bumble about, one thinking he's fallen in love with Kate, his wife thinking she's found her own lover. A rare vase, a spy, old friendships, the statue's unveiling, and off-hand English sorting-out play into the resolution.
4
Beauty and the Beast is an American drama series which first aired on CBS in 1987. Creator Ron Koslow's updated version of the fairy tale has a double focus: the relationship between Vincent, a mythic, noble man-beast, and Catherine, a savvy Assistant District Attorney in New York; and a secret Utopian community of social outcasts living in a subterranean sanctuary. Through an empathetic bond, Vincent senses Catherine's emotions, and becomes her guardian.
2
A lucrative real estate deal, or romance with the boss' daughter--that's the dilemma facing a yuppie in this comedy.
0
Double-crossed by both the gangsters and the police, Michael must use his martial-arts talent to rescue his girlfriend's dad.
0
In this pilot for a proposed TV series, B.T. Brady is a flippant, but somewhat klutzy female private detective in Hollywood who sets out to solve the murder of a obnoxious mystery writer. Along the way, Brady gets help from her flamboyant mother Zandra, a washed-up actress, as well as Brady's live-in boyfriend Wolfe who runs a memorabilia shop.
-2
After his mother dies and father goes to fight in World War II, a young boy moves in with his aunt and uncle who live in the countryside. Lonely and unhappy, he starts believing he has super powers. Then a "dead" man shows up.
-2
A naive, good-hearted Los Angeles waitress does not think twice about helping her troubled roommate. Unfortunately, her help lands her in Central America fleeing for her life with a grungy mercenary
-3
Roswell and Emily Gilbert were married for fifty-one years, but for the eight final years of their marriage Emily suffered from Alzheimer's disease and the bone disease osteoporosis. Often in pain, Emily begged to die. In March 1985, 75-year-old Roswell shot Emily in the head. He said it was an act of mercy, but he was tried for murder and convicted as the nation debated euthanasia.
-3
In Europe several several centuries ago, a group of prisoners about to be executed are freed as part of the celebration of the upcoming marriage of the emperor's daughter, Princess Gilda, to a very rich prince from another country.  Sid Caesar composed the song "Clothes Make the Man".  Ran 93 minutes on German TV.
2
The first of three private-eye movies created by Robert Blake about rugged Joe Dancer as the forerunner to a prospective but unrealized series after the retirement of his "Baretta" character. In the initial outing, Blake, as Dancer, follows a trail of bodies through a maze of corruption involving a politically ambitious Beverly Hills family.
0
A group of well-to-do weekend hunters decide to spice things up by targeting a human.
0
An ex-convict, after spending six years in prison, tries to re-establish a relationship with the son he hasn't seen in all that time.
-1
Robert Blake's second (of three) "Joe Dancer" movies has the hard-boiled private investigator teaming up with a chimp named Gregor, his trainer (who also happens to be an expert thief), and an electronics genius of questionable repute to steal back a priceless vase looted from a family collection during World War II.
0
A young couple in New York are having problems with their relationship.
-1
After spending 20 years in America, aging widower Marko Sekulovic (Karl Malden) returns to his Yugoslavian homeland to take care of his two young grandchildren. But Marko's quiet life is in for a shake up when he meets the pretty new village schoolteacher, Lana (Jodi Thelen). Malden pays tribute to his Yugoslav heritage in this affecting 1982 drama.
1
Dramatization of the true story of the so-called Willmar Eight, a group of Minnesota bank workers who braved freezing conditions whilst picketing their branch in a struggle for union rights.
-2
Directed by Dan Wolman.
0
The film centers on Howard F. Howard, an overweight everyman. Engaged to Beverly, the woman of his dreams, Howard has one problem - an overactive fixation with The Three Stooges. Everywhere Howard goes, he sees Moe Howard, Larry Fine and Curly Howard intruding on his life. Determined to overcome his fixation, Howard and Beverly prepare for their wedding. But on his way to the ceremony, Howard descends into Stoogemania and finds himself walking into the city streets with other Stoogemaniacs. His only hope is commitment to the Stooge Hills sanitarium, under the care of a renowned psychologist, until the inmates take over the asylum on graduation day.
-1
An poorly-educated house-wife fights companies polluting her hometown's water-table in up-state New York during the 1970s.
0
Set in the outback of Africa's Okavango Delta, Wayne Garrison, a former Green Beret, dedicated to the conservation of the region, finds himself forced back into action
1
The Story of a Idealistic Young man (Played by Chris Parker), who goes to Los Angeles to become an actor, but is disillusioned and jaded when the cold and realistic violent world of Hollywood shatters then explodes all around him.
-3
Meandering drama of Brothers Burke and Sacks, who rob a bank, kill a cop and kidnap Thornton, a witness to their crime.
-3
After a series of mysterious deaths befalls their small town, an offbeat group of friends become the target of a masked killer.
-3
Each Challenge pits numerous cast members from past seasons of reality shows against each other, dividing them into two separate teams according to different criteria, such as gender, which show they first appeared on, whether or not they're veterans or rookies on the show, etc. The two teams compete in numerous missions in order to win prizes and advance in the overall game.
2
Deep down in the Pacific Ocean in the subterranean city of Bikini Bottom lives a square yellow sponge named SpongeBob SquarePants. SpongeBob lives in a pineapple with his pet snail, Gary, loves his job as a fry cook at the Krusty Krab, and has a knack for getting into all kinds of trouble without really trying. When he's not getting on the nerves of his cranky next door neighbor Squidward, SpongeBob can usually be found smack in the middle of all sorts of strange situations with his best buddy, the simple yet lovable starfish, Patrick, or his thrill-seeking surfer-girl squirrel pal, Sandy Cheeks.
-1
After many years spent at the “Cheers” bar, Frasier moves back home to Seattle to work as a radio psychiatrist after his policeman father gets shot in the hip on duty.
2
A high school mathlete starts hanging out with a group of burnouts while her younger brother navigates his freshman year.
0
At Deep Space Nine, a space station located next to a wormhole in the vicinity of the liberated planet of Bajor, Commander Sisko and crew welcome alien visitors, root out evildoers and solve all types of unexpected problems that come their way.
-2
In 2047, a group of astronauts are sent to investigate and salvage the starship Event Horizon which disappeared mysteriously 7 years before on its maiden voyage. However, it soon becomes evident that something sinister resides in its corridors, and that the horrors that befell the Event Horizon's previous journey are still present.
-2
In 1973, 15-year-old William Miller's unabashed love of music and aspiration to become a rock journalist lands him an assignment from Rolling Stone magazine to interview and tour with the up-and-coming band, Stillwater.
3
In the year 180, the death of emperor Marcus Aurelius throws the Roman Empire into chaos.  Maximus is one of the Roman army's most capable and trusted generals and a key advisor to the emperor.  As Marcus' devious son Commodus ascends to the throne, Maximus is set to be executed.  He escapes, but is captured by slave traders.  Renamed Spaniard and forced to become a gladiator, Maximus must battle to the death with other men for the amusement of paying audiences..
-3
As U.S. troops storm the beaches of Normandy, three brothers lie dead on the battlefield, with a fourth trapped behind enemy lines. Ranger captain John Miller and seven men are tasked with penetrating German-held territory and bringing the boy home.
-4
Shallow, rich and socially successful Cher is at the top of her Beverly Hills high school's pecking scale. Seeing herself as a matchmaker, Cher first coaxes two teachers into dating each other. Emboldened by her success, she decides to give hopelessly klutzy new student Tai a makeover. When Tai becomes more popular than she is, Cher realizes that her disapproving ex-stepbrother was right about how misguided she was -- and falls for him.
1
Pulled to the far side of the galaxy, where the Federation is 75 years away at maximum warp speed, a Starfleet ship must cooperate with Maquis rebels to find a way home.
-1
Ray Barone is a successful sportswriter living on Long Island with his wife Debra, daughter Ally, and twin sons, Geoffrey and Michael. That's the good news. The bad news? Ray's meddling parents, Frank and Marie, live directly across the street and embrace the motto "Su casa es mi casa," infiltrating their son's home to an extent unparalleled in television history.
2
Trevor Noah and The World's Fakest News Team tackle the biggest stories in news, politics and pop culture.
0
Following an unexpected tragedy, a child psychologist named Malcolm Crowe meets an nine year old boy named Cole Sear, who is hiding a dark secret.
-3
Away at college, Sidney thought she'd finally put the shocking murders that shattered her life behind her... until a copycat killer begins acting out a real-life sequel.
-3
A Las Vegas team of forensic investigators are trained to solve criminal cases by scouring the crime scene, collecting irrefutable evidence and finding the missing pieces that solve the mystery.
-3
When vengeful General Francis X. Hummel seizes control of Alcatraz Island and threatens to launch missiles loaded with deadly chemical weapons into San Francisco, only a young FBI chemical weapons expert and notorious Federal prisoner have the stills to penetrate the impregnable island fortress and take him down.
-4
Held in an L.A. interrogation room, Verbal Kint attempts to convince the feds that a mythic crime lord, Keyser Soze, not only exists, but was also responsible for drawing him and his four partners into a multi-million dollar heist that ended with an explosion in San Pedro harbor – leaving few survivors. Verbal lures his interrogators with an incredible story of the crime lord's almost supernatural prowess.
0
Heroin addict Mark Renton stumbles through bad ideas and sobriety attempts with his unreliable friends -- Sick Boy, Begbie, Spud and Tommy. He also has an underage girlfriend, Diane, along for the ride. After cleaning up and moving from Edinburgh to London, Mark finds he can't escape the life he left behind when Begbie shows up at his front door on the lam, and a scheming Sick Boy follows.
-6
Beavis and Butt-head are high school students whose lifestyles revolve around TV, junk food (usually nachos), shopping malls, heavy metal music, and trying to "score with chicks". Each show contains short cartoons centering on the duo who live in the fictitious town of Highland, Texas. The episodes are broken up by short breaks in which Beavis and Butt-head watch and make fun of music videos.
-3
When Ethan Hunt, the leader of a crack espionage team whose perilous operation has gone awry with no explanation, discovers that a mole has penetrated the CIA, he's surprised to learn that he's the No. 1 suspect. To clear his name, Hunt now must ferret out the real double agent and, in the process, even the score.
-2
While Sidney lives in safely guarded seclusion, bodies begin dropping around the Hollywood set of STAB 3, the latest movie based on the gruesome Woodsboro killings.
-2
A young reformed gambler must return to playing big stakes poker to help a friend pay off loan sharks.
0
For Ted, prom night went about as bad as it’s possible for any night to go. Thirteen years later, he finally gets another chance with his old prom date, only to run up against other suitors including the sleazy detective he hired to find her.
-2
In war-torn colonial America, in the midst of a bloody battle between British, the French and Native American allies, the aristocratic daughter of a British Colonel and her party are captured by a group of Huron warriors. Fortunately, a group of three Mohican trappers comes to their rescue.
0
A violent police detective investigates a brutal murder that might involve a manipulative and seductive novelist.
-4
When a man claiming to be long-lost Uncle Fester reappears after 25 years lost, the family plans a celebration to wake the dead. But the kids barely have time to warm up the electric chair before Morticia begins to suspect Fester is fraud when he can't recall any of the details of Fester's life.
-2
Tom Ripley is a calculating young man who believes it's better to be a fake somebody than a real nobody. Opportunity knocks in the form of a wealthy U.S. shipbuilder who hires Tom to travel to Italy to bring back his playboy son, Dickie. Ripley worms his way into the idyllic lives of Dickie and his girlfriend, plunging into a daring scheme of duplicity, lies and murder.
0
When David Greene receives a football scholarship to a prestigious prep school in the 1950s, he feels pressure to hide the fact that he is Jewish from his classmates and teachers, fearing that they may be anti-Semitic. He quickly becomes the big man on campus thanks to his football skills, but when his Jewish background is discovered, his worst fears are realized and his friends turn on him with violent threats and public ridicule.
-3
An arrogant, high-powered attorney takes on the case of a poor altar boy found running away from the scene of the grisly murder of the bishop who has taken him in. The case gets a lot more complex when the accused reveals that there may or may not have been a third person in the room.
-5
Russian terrorists conspire to hijack the aircraft with the president and his family on board. The commander in chief finds himself facing an impossible predicament: give in to the terrorists and sacrifice his family, or risk everything to uphold his principles - and the integrity of the nation.
-3
Two decades after surviving a massacre on October 31, 1978, former baby sitter Laurie Strode finds herself hunted by persistent knife-wielder Michael Myers. Laurie now lives in Northern California under an assumed name, where she works as the headmistress of a private school. But it's not far enough to escape Myers, who soon discovers her whereabouts. As Halloween descends upon Laurie's peaceful community, a feeling of dread weighs upon her -- with good reason.
2
After bowler Roy Munson swindles the wrong crowd and is left with a hook for a hand, he settles into impoverished obscurity. That is, until he uncovers the next big thing: an Amish kid named Ishmael. So, the corrupt and the hopelessly naive hit the circuit intent on settling an old score with Big Ern.
-7
Convenience and video store clerks Dante and Randal are sharp-witted, potty-mouthed and bored out of their minds. So in between needling customers, the counter jockeys play hockey on the roof, visit a funeral home and deal with their love lives.
1
After the Cold War, a breakaway Russian republic with nuclear warheads becomes a possible worldwide threat. U.S. submarine Capt. Frank Ramsey signs on a relatively green but highly recommended Lt. Cmdr. Ron Hunter to the USS Alabama, which may be the only ship able to stop a possible Armageddon. When Ramsay insists that the Alabama must act aggressively, Hunter, fearing they will start rather than stop a disaster, leads a potential mutiny to stop him.
-1
Are You Afraid of the Dark? is a joint Canadian-American horror/fantasy-themed anthology television series. The original series was a joint production between the Canadian company Cinar and the American company Nickelodeon.

The episode "The Tale of the Twisted Claw" was aired as a pilot on the evening of October 31, 1991 in the USA and in October 1990 in Canada. Are You Afraid of the Dark? was aired from August 15, 1992 to April 20, 1996 on Nickelodeon's SNICK. The series also aired on the Canadian television network YTV from October 30, 1990 until June 11, 2000.

A revived series with new directors, writers, and cast was produced by Nickelodeon from 1999 to 2000 and also aired on SNICK. The sole member from the original lineup to return for the sixth and seventh seasons was Tucker, although Ross Hull returned for the concluding miniseries, which notably broke from the show's established format by blurring the line between story and "reality".
-6
Ren and Stimpy are a mismatch made in animation heaven with nothing in common but a life-long friendship and an incredible knack for getting into trouble. Join them in their bizarre and gross world for some outlandish situations coupled with hilarious jokes.
-1
A group of male friends become obsessed with five mysterious sisters who are sheltered by their strict, religious parents.
-2
Siblings Wednesday and Pugsley Addams will stop at nothing to get rid of Pubert, the new baby boy adored by parents Gomez and Morticia. Things go from bad to worse when the new "black widow" nanny, Debbie Jellinsky, launches her plan to add Fester to her collection of dead husbands.
-2
Æon Flux is set in a bizarre, dystopian future world. The title character is a tall, leather-clad secret agent from the nation of Monica, skilled in assassination and acrobatics. Her mission is to infiltrate the strongholds of the neighboring country of Bregna, which is led by her sometimes-nemesis and sometimes-lover Trevor Goodchild. Monica represents a dynamic anarchist society, while Bregna embodies a police state.
1
A game designer on the run from assassins must play her latest virtual reality creation with a marketing trainee to determine if the game has been damaged.
-2
Six years ago, Michael Myers terrorized the town of Haddonfield, Illinois. He and his niece, Jamie Lloyd, have disappeared. Jamie was kidnapped by a bunch of evil druids who protect Michael Myers. And now, six years later, Jamie has escaped after giving birth to Michael's child. She runs to Haddonfield to get Dr. Loomis to help her again.
0
Archie's Weird Mysteries is an American animated children's television program, based on the Archie comics. The series premise revolves around a Riverdale High physics lab gone awry, making the town of Riverdale a "magnet" for B-movie style monsters. The show is distributed as meeting the FCC's educational and informational children's programming requirements, and is used by commercial stations in the United States to meet this guideline. Produced by DIC Entertainment, the show was initially shown mornings on the PAX network, often with infomercials bookending the program. The following season, its repeats were syndicated to television stations throughout the US, as a way to comply with mandatory E/I regulations.
-3
Rival groups in a skiing school do battle on and off the piste. One gang are rich and serious, the other group are party animals.
0
On her sixteenth birthday, Sabrina Spellman discovers she has magical powers. She lives with her 600-year-old aunts Hilda and Zelda as well as talking cat Salem in the fictional town of Westbridge, Massachusetts.
1
A young drifter named Nomi arrives in Las Vegas to become a dancer and soon sets about clawing and pushing her way to become a top showgirl.
1
A year after losing his friend in a tragic 4,000-foot fall, former ranger Gabe Walker and his partner, Hal, are called to return to the same peak to rescue a group of stranded climbers, only to learn the climbers are actually thieving hijackers who are looking for boxes full of money.
-3
Focuses on a group of toddlers, most prominently Tommy, Chuckie, Phil, Lil, and Angelica, and their day-to-day lives, usually involving common life experiences that become adventures in the babies' imaginations. Adults in the series are almost always unaware of what the children are up to; however, this only provides more room for the babies to explore and discover their surroundings.
0
With computer genius Luther Stickell at his side and a beautiful thief on his mind, agent Ethan Hunt races across Australia and Spain to stop a former IMF agent from unleashing a genetically engineered biological weapon called Chimera. This mission, should Hunt choose to accept it, plunges him into the center of an international crisis of terrifying magnitude.
1
Once called "Father Frank" for his efforts to rescue lives, Frank Pierce sees the ghosts of those he failed to save around every turn. He has tried everything he can to get fired, calling in sick, delaying taking calls where he might have to face one more victim he couldn't help, yet cannot quit the job on his own.
-3
After a long voyage from Scotland, pianist Ada McGrath and her young daughter, Flora, are left with all their belongings, including a piano, on a New Zealand beach. Ada, who has been mute since childhood, has been sold into marriage to a local man named Alisdair Stewart. Making little attempt to warm up to Alisdair, Ada soon becomes intrigued by his Maori-friendly acquaintance, George Baines, leading to tense, life-altering conflicts.
0
Harmon "Harm" Rabb Jr. is a former pilot turned lawyer working for the military's JAG (Judge Advocate General) division, the elite legal wing of officers that prosecutes and defends those accused of military-related crimes. He works closely with Lt. Col. Sarah Mackenzie, and together they do what needs to be done to find the truth.
1
After 6 years together, Mike's girlfriend leaves him, so he travels to LA to be a star. Six months on, he's still not doing very well— so a few of his friends try to reconnect him to the social scene and hopefully help him forget his failed relationship.
-1
Follow the lives of a group of young adults living in a brownstone apartment complex on Melrose Place, in Los Angeles, California.
-1
After moving to a new town with her stressed-out parents and relentlessly popular little sister, Daria uses her acerbic wit and keen powers of observation to contend with the mind-numbingly ridiculous world of Lawndale High.
-2
Jim McAllister, a well-liked high school government teacher, can't help but notice that successful student Tracy Flick uses less than ethical tactics to get what she wants. When Tracy runs for school president, Jim feels that she will be a poor influence on the student body and convinces Paul, a dim-witted but popular student athlete, to run against Tracy. When she becomes aware of Jim's secret involvement in the race, a bitter feud is sparked.
1
In response to political pressure from Senator Lillian DeHaven, the U.S. Navy begins a program that would allow for the eventual integration of women into its services. The program begins with a single trial candidate, Lieutenant Jordan O'Neil, who is chosen specifically for her femininity. O'Neil enters the grueling training program under the command of Master Chief John James Urgayle, who unfairly pushes O'Neil until her determination wins his respect.
2
The daily life of Arnold--a fourth-grader with a wild imagination, street smarts and a head shaped like a football.
1
A homicide detective teams up with an evolutionary biologist to hunt a giant creature that is killing people in a Chicago museum.
-1
After losing her job, making out with her soon-to-be former boss, and finding out that her daughter plans to spend Thanksgiving with her boyfriend, Claudia Larson faces spending the holiday with her unhinged family.
-1
A stranger mentors a young Reno gambler who weds a hooker and befriends a vulgar casino regular.
-2
Blue's Clues is an American children's television show that premiered on September 8, 1996 on the cable television network Nickelodeon, and ran for ten years, until August 6, 2006. Producers Angela Santomero, Todd Kessler and Traci Paige Johnson combined concepts from child development and early-childhood education with innovative animation and production techniques that helped their viewers learn. It was hosted originally by Steve Burns, who left in 2002 to pursue a music career, and later by Donovan Patton. Burns was a crucial reason for the show's success, and rumors that surrounded his departure were an indication of the show's emergence as a cultural phenomenon. Blue's Clues became the highest-rated show for preschoolers on American commercial television and was crucial to Nickelodeon's growth. It has been called "one of the most successful, critically acclaimed, and ground-breaking preschool television series of all time". A spin-off called Blue's Room premiered in 2004.

The show's producers and creators presented material in narrative format instead of the more traditional magazine format, used repetition to reinforce its curriculum, and structured every episode the same way. They used research about child development and young children's viewing habits that had been conducted in the thirty years since the debut of Sesame Street in the U.S. They revolutionized the genre by inviting their viewers' involvement. Research was part of the creative and decision-making process in the production of the show, and was integrated into all aspects and stages of the creative process. Blue's Clues was the first cutout animation series for preschoolers, and resembled a storybook in its use of primary colors and its simple construction paper shapes of familiar objects with varied colors and textures. Its home-based setting was familiar to American children, but had a look unlike other children's TV shows. A live production of Blue's Clues, which used many of the production innovations developed by the show's creators, toured the U.S. starting in 1999. As of 2002, over 2 million people had attended over 1,000 performances.
6
As the fearless leader of a group of freedom fighters, Sonic attempts to free the citizens of Mobius from the tyranny of the evil Dr. Robotnik.
1
The story of five teenage girls who form an unlikely bond after beating up a teacher who has sexually harassed them. They build a solid friendship but their wild ways begin to get out of control.
-2
Join sadomasochistic superheroes Johnny Knoxville, Bam Margera, and the rest of the Jackass crew as they terrorize your TV screens and everyone that gets in their way (especially themselves) with their own sick and twisted interpretation of physical entertainment.  Their brand of pranks, goofball antics, and unabashed brutal comedy are sure to bring new meaning to the phrase "Don't Try This At Home!"
-3
An aged Charlie Chaplin narrates his life to his autobiography's editor, including his rise to wealth and comedic fame from poverty, his turbulent personal life and his run-ins with the FBI.
-1
Despite being well into adulthood, brothers Doug and Steve Butabi still live at home and work in the flower shop owned by their dad. They exist only to hit on women at discos, though they're routinely unsuccessful until a chance run-in with Richard Grieco gets them inside the swank Roxbury club. Mistaken for high rollers, they meet their dream women, Vivica and Cambi, and resolve to open a club of their own.
1
Holden and Banky are comic book artists. Everything is going good for them until they meet Alyssa, also a comic book artist. Holden falls for her, but his hopes are crushed when he finds out she's a lesbian.
-1
Strangers with Candy is a television series produced by Comedy Central. It first aired on April 7, 1999, and concluded its third and final season on October 2, 2000. Its timeslot was Sundays at 10:00 p.m.. In 2007, Strangers with Candy was ranked #30 on TV Guide's Top Cult Shows Ever.
-1
Down-on-their luck brothers, Lars and Ernie Smuntz, aren't happy with the crumbling old mansion they inherit... until they discover the estate is worth millions. Before they can cash in, they have to rid the house of its single, stubborn occupant—a tiny and tenacious mouse.
2
CIA Analyst Jack Ryan is drawn into an illegal war fought by the US government against a Colombian drug cartel.
-1
The Law Enforcement Technology Advancement Centre (LETAC) has developed SID version 6.7: a Sadistic, Intelligent, and Dangerous virtual reality entity which is synthesized from the personalities of more than 150 serial killers, and only one man can stop him.
-1
New York police detective John Shaft arrests Walter Wade Jr. for a racially motivated slaying. But the only eyewitness disappears, and Wade jumps bail for Switzerland. Two years later Wade returns to face trial, confident his money and influence will get him acquitted -- especially since he's paid a drug kingpin to kill the witness.
1
In a Temple filled with lost treasures and protected by mysterious Mayan temple guards, six teams of two children compete to retrieve one of the historical artifacts in the Temple by performing physical stunts and answering questions based on history, mythology, and geography. After three elimination rounds, only one team remains, who then earns the right to go through the Temple to retrieve the artifact within three minutes and win a grand prize.
1
Greed, revenge, world dominance and high-tech terrorism – it's all in a day's work for Bond, who's on a mission to protect a beautiful oil heiress from a notorious terrorist. In a race against time that culminates in a dramatic submarine showdown, Bond works to defuse the international power struggle that has the world's oil supply hanging in the balance.
-2
Corky, a tough female ex-convict working on an apartment renovation in a Chicago building, meets a couple living next door, Caesar, a paranoid mobster, and Violet, his seductive girlfriend, who is immediately attracted to her.
-1
In the highlands of Scotland in the 1700s, Rob Roy tries to lead his small town to a better future, by borrowing money from the local nobility to buy cattle to herd to market. When the money is stolen, Rob is forced into a Robin Hood lifestyle to defend his family and honour.
1
Eight people embark on an expedition into the Congo, a mysterious expanse of unexplored Africa where human greed and the laws of nature have gone berserk. When the thrill-seekers -- some with ulterior motives -- stumble across a race of killer apes.
-6
Graced with a velvet voice, 21-year-old Violet Sanford heads to New York to pursue her dream of becoming a songwriter only to find her aspirations sidelined by the accolades and notoriety she receives at her "day" job as a barmaid at Coyote Ugly. The "Coyotes" as they are affectionately called tantalize customers and the media alike with their outrageous antics, making Coyote Ugly the watering hole for guys on the prowl.
-1
In 1949, composer Roman Strauss is executed for the murder of his wife. In 1990s Los Angeles, a detective comes across a mute amnesiac woman who is somehow linked to the Strauss murder.
-2
After a comet disrupts the rain cycle of Earth, the planet has become a desolate, barren desert by the year 2033. With resources scarce, Kesslee — head of the powerful and evil Water & Power Corporation, the de facto government — has taken control of the water supply. Unwilling to cower under Kesslee's tyrannical rule, a pair of outlaws known as Tank Girl and Jet Girl rise up, joining the mysterious rebel Rippers to destroy the corrupt system.
-11
During WWII, a teenage boy discovering himself becomes love-stricken by Malèna, a sensual woman living in a small, narrow-minded Italian town.
0
Ms. Isabel Archer isn't afraid to challenge societal norms. Impressed by her free spirit, her kindhearted cousin writes her into his fatally ill father's will. Suddenly rich and independent, Isabelle ventures into the world, along the way befriending a cynical intellectual and romancing an art enthusiast. However, the advantage of her affluence is called into question when she realizes the extent to which her money colors her relationships.
3
Sonic, Sonia, and Manic are the children of Queen Aleena Hedgehog, the rightful ruler of Mobius, and are pursued relentlessly by Doctor Robotnik and his bumbling bounty hunters sidekicks, Sleet and Dingo. As infants, the siblings were separated and placed in hiding to fulfill a prophecy made by the Oracle of Delphius that the triplets would grow up to find their estranged mother, overthrow Robotnik, and take their places once more as Mobius' rightful rulers.
-2
Brave new steps put Scott's career in jeopardy. With a new partner and determination, can he still succeed?
1
All bets are off when corrupt homicide cop Rick Santoro witnesses a murder during a boxing match. It's up to him and lifelong friend and naval intelligence agent Kevin Dunne to uncover the conspiracy behind the killing. At every turn, Santoro makes increasingly shocking discoveries that even he can't turn a blind eye to.
-5
The story of the famous and influential 1960s rock band and its lead singer and composer, Jim Morrison.
3
Two hapless youths lead their burger joint in a fight against the giant fast-food chain across the street.
0
A bizarre accident lands Frank Harris in Cool World, a realm of cartoons. Years later, cartoonist Jack Deebs, who's been drawing Cool World, crosses over as well. He sets his lustful sights on animated femme fatale Holli Would, but she's got plans of her own to become real, and it's up to Frank to stop her.
2
The original '70s TV family is now placed in the 1990s, where they're even more square and out of place than ever.
0
Ike Graham, New York columnist, writes his text always at the last minute. This time, a drunken man in his favourite bar tells Ike about Maggie Carpenter, a woman who always flees from her grooms in the last possible moment. Ike, who does not have the best opinion about females anyway, writes an offensive column without researching the subject thoroughly.
-2
Bayou La Teche, Louisiana sizzles as the Cajun town celebrates the wedding of Splendid and Dolan. The trouble comes on the wedding night when Splendid is determined to maintain her innocence. On the other side of town Splendids' cousin has her own problems. Her man has been sleeping with Thais, the town hooker. She heads to the Tiger Cafe with gun in hand to get back her man.
0
A woman moves into an apartment in Manhattan and learns that the previous tenant's life ended mysteriously after they fell from the balcony.
-2
Simon Templar (The Saint), is a thief for hire, whose latest job to steal the secret process for cold fusion puts him at odds with a traitor bent on toppling the Russian government, as well as the woman who holds its secret.
-2
Three young monsters — Ickis, Oblina and Krumm — attends an institute for monsters under a city dump and learn to frighten humans.
-4
A young short-con grifter suffers both injury and the displeasure of reuniting with his criminal mother, all the while dating an unpredictable young lady.
-5
Frank Drebin is persuaded out of retirement to go undercover in a state prison. There he has to find out what top terrorist, Rocco, has planned for when he escapes. Adding to his problems, Frank's wife, Jane, is desperate for a baby.
-2
A mother and daughter move to a small French town where they open a chocolate shop. The town, religious and morally strict, is against them, as they represent free-thinking and indulgence. When a group of Boat Gypsies float down the river, the prejudice of the Mayor leads to a crisis.
-1
In 1839, the slave ship Amistad set sail from Cuba to America. During the long trip, Cinque leads the slaves in an unprecedented uprising. They are then held prisoner in Connecticut, and their release becomes the subject of heated debate. Freed slave Theodore Joadson wants Cinque and the others exonerated and recruits property lawyer Roger Baldwin to help his case. Eventually, John Quincy Adams also becomes an ally.
-3
Rocko is a wallaby who has emigrated to America from Australia. He lives in O-Town and tries to get through life but, of course, comes across a multitude of dilemmas and misadventures he must get through. Other characters include Rocko's best friend, Heffer, a steer who has been raised by wolves, Filbert, a paranoid hypochondriac turtle, Rocko's faithful (but none-too-bright) dog Spunky, and Ed Bighead who detests Rocko and hates having him for a next door neighbor. On this show, Rocko has such adventures as trying to adapt to a new vacuum cleaner, having Heffer move in temporarily after his parents kick him out, and going to a movie theater.
-1
Homer is an orphan who was never adopted, becoming the favorite of orphanage director Dr. Larch. Dr. Larch imparts his full medical knowledge on Homer, who becomes a skilled, albeit unlicensed, physician. But Homer yearns for a self-chosen life outside the orphanage. What will Homer learn about life and love in the cider house? What of the destiny that Dr. Larch has planned for him?
2
When the Texas Southern Armadillos football team is disqualified for cheating and poor grades, the University is forced to pick from a team that actually goes to school. Will they even win a single game?
-1
Albert Einstein helps a young man who's in love with Einstein's niece to catch her attention by pretending temporarily to be a great physicist.
2
When the four boys see an R-rated movie featuring Canadians Terrance and Philip, they are pronounced "corrupted", and their parents pressure the United States to wage war against Canada.
-1
Reverend Eric Camden and his wife Annie have always had their hands full caring for seven children, not to mention the friends, sweethearts and spouses that continually come and go in the Camden household.
1
Salute Your Shorts is an American comedy television series that aired on Nickelodeon from 1991 to 1992 and in reruns until early 1999. It was based on the 1986 book, Salute Your Shorts: Life at Summer Camp by Steve Slavkin.

The series, filmed at Franklin Canyon Park and the Griffith Park Boys Camp within Griffith Park in Los Angeles, was set at the summer camp Camp Anawanna. It focuses on teenage campers, their strict and bossy counselor, and the various capers and jocularities they engage in.

The title comes from a common prank campers play on each other: a group of kids steals a boy's boxer shorts and raise them up a flagpole. Hence, when people see them waving like a flag, other kids would salute them as part of the prank.
2
A newly elected District attorney finds himself in the middle of a police corruption investigation that may involve his father and his partner.
-1
Mario, Luigi, Yoshi and Princess Toadstool are on Dinosaur Island foiling the plans of King Koopa and his Koopa kids.
0
A young girl named Dora goes on adventures with her red boot-wearing monkey named Boots.
0
The Wild Thornberrys is an American animated television series that aired on Nickelodeon.
-1
Just as Amelia thinks she's over her anxiety and insecurity, her best friend announces her engagement, bringing her anxiety and insecurity right back.
-2
Sully is a rascally ne'er-do-well approaching retirement age. While he is pressing a worker's compensation suit for a bad knee, he secretly works for his nemesis, Carl, and flirts with Carl's young wife Toby. Sully's long- forgotten son and family have moved back to town, so Sully faces unfamiliar family responsibilities. Meanwhile, Sully's landlady's banker son plots to push through a new development and evict Sully from his mother's life.
-9
The daily lives of four friends who enjoy extreme sports, surfing, and getting into some crazy situations.
0
Where on Earth is Carmen Sandiego? is an American animated television series based on the series of computer games. The show was produced by DIC Entertainment/Program Exchange and originally aired Saturday mornings on FOX. Its episodes have subsequently been repeated on the Fox Family, PAX and the short-lived girlzChannel. Reruns of the series currently air on The Worship Network, KidMango, The Hub, and, since June 8, 2012, on Qubo. The series won an Emmy Award for "Outstanding Animated Children's Program" in 1995.
2
In a sleepy bedroom community of LA's San Fernando Valley, the murder of a professional athlete by two hit men sets into motion a chain of events that puts the mundane lives of a dozen residents on a collision course. This clever tale tells the story of two hit men, a mistress, a nurse, a vindictive ex-wife, a wealthy art dealer and his lovelorn assistant, a suicidal writer and his dog, and a bitter cop and his partner.
-5
An unimpressive, every-day man is forced into a situation where he is told to kill a politician to save his kidnapped daughter.
-1
The Angry Beavers is an American animated television series created by Mitch Schauer for the Nickelodeon channel. The series revolves around Daggett and Norbert Beaver, two young beaver brothers who have left their home to become bachelors in the forest near the fictional Wayouttatown, Oregon.
-2
In small-town Texas, high school football is a religion, 17-year-old schoolboys carry the hopes of an entire community onto the gridiron every Friday night. When star quarterback Lance Harbor suffers an injury, the Coyotes are forced to regroup under the questionable leadership of John Moxon, a second-string quarterback with a slightly irreverent approach to the game.
-3
Monica, an angel, is tasked with bringing guidance and messages from God to various people who are at a crossroads in their lives.
2
Doug Funnie experiences common predicaments while attending school in his new hometown of Bluffington, Virginia.
-1
A death row inmate turns for spiritual guidance to a local nun in the days leading up to his scheduled execution for the murders of a young couple.
1
A leukemia patient attempts to end a 20-year feud with her sister to get her bone marrow.
1
Bumbling lieutenant Frank Drebin is out to foil the big boys in the energy industry, who intend to suppress technology that will put them out of business.
-1
Clarissa Darling is a teen girl dealing with typical pre-adolescent concerns such as school, boys, pimples, wearing her first training bra and an annoying little brother Ferguson.
-2
A young social outcast in Australia steals money from her parents to finance a vacation where she hopes to find happiness, and perhaps love.
0
Ben Holmes, a professional book-jacket blurbologist, is trying to get to Savannah for his wedding. He just barely catches the last plane, but a seagull flies into the engine as the plane is taking off. All later flights are cancelled because of an approaching hurricane, so he is forced to hitch a ride in a Geo Metro with an attractive but eccentric woman named Sara.
0
Story about a vampire who falls in love with a woman and tries to "re-humanize" himself in order to be with her.
0
Jennifer (Alicia Silverstone) is a lovely teen who has been hired to baby-sit the kids of Harry Tucker (J.T. Walsh) and his wife, Dolly (Lee Garlington). The Tuckers go to a party and proceed to get inebriated, with Mr. Tucker fantasizing about his beautiful baby sitter. Meanwhile, Jack (Jeremy London), her boyfriend, and Mark (Nicky Katt), another guy interested in her, decide to spy on Jennifer at the Tucker house, with each young man also fixated on her.
2
Celebrity Deathmatch is a claymation television show that depicts celebrities against each other in a wrestling ring, almost always ending in the loser's gruesome death. It was known for its excessive amount of blood used in every match and exaggerated physical injuries.

The series was created by Eric Fogel; with the pilots airing on MTV on January 1 & 25 1998. The initial series ran from May 14, 1998 to October 20, 2002, and lasted for a 75-episode run. There was one special that did not contribute to the final episode total, entitled "Celebrity Deathmatch Hits Germany", which aired on June 21, 2001. Professional wrestler Stone Cold Steve Austin gave voice to his animated form as the guest commentator. Early in 2003, a film based on the series was announced by MTV to be in the making, but the project was canceled by the end of that year.

In 2005, MTV2 announced the revival of the show as part of their "Sic 'Em Friday" programming block. Originally set to return in November 2005, the premiere was pushed back to June 10, 2006 as part of a new "Sic'emation" block with two other animated shows, Where My Dogs At and The Adventures of Chico and Guapo. The show's fifth season was produced by Cuppa Coffee Studios and the premiere drew over 2.5 million viewers, becoming MTV2's highest rated season premiere ever.
-5
CatDog is an American animated television series created for Nickelodeon by Peter Hannan. The series depicts the life of conjoined brothers, with one half being a cat and the other a dog. Nickelodeon produced the series from Burbank, California. The first episode aired on April 4, 1998, before the show officially premiered in October. The episode "Fetch" was also shown in theaters with The Rugrats Movie.

Toward the end of the series run, a made-for-TV film was released, titled CatDog: The Great Parent Mystery. Reruns were played on Nicktoons until 2011 and later aired on TeenNick as part of The '90s Are All That block. The series is produced by Nickelodeon Animation Studio and Peter Hannan Productions and has been released on DVD.
0
Bob the Builder is a British children's animated television show created by Keith Chapman. In the original series Bob appears as a building contractor specializing in masonry in a stop motion animated programme with his colleague Wendy, various neighbours and friends, and their gang of anthropomorphised work-vehicles and equipment. The show is broadcast in many countries, but originates from the United Kingdom where Bob is voiced by English actor Neil Morrissey. The show was later created using CGI animation starting with the spin-off series Ready, Steady, Build!.

In each episode, Bob and his group help with renovations, construction, and repairs and with other projects as needed. The show emphasizes conflict resolution, co-operation, socialization and various learning skills. Bob's catchphrase is "Can we fix it?", to which the other characters respond with "Yes we can!" This phrase is also the title of the show's theme song, which was a million-selling number one hit in the UK.
2
Grady is a 50-ish English professor who hasn't had a thing published in years—not since he wrote his award winning 'Great American Novel' 7 years ago. This weekend proves even worse than he could imagine as he finds himself reeling from one misadventure to another in the company of a new wonder boy author.
2
Police sketch artist Jack Whitfield helps blind rape victim Emmy describe her attacker – a serial rapist and murderer who is now out to get her.
-3
The world of a young housewife is turned upside down when she has an affair with a free-spirited blouse salesman.
0
William, a once obese and troubled teen, goes back to his family's home after being gone, without word, for ten years and finds it (and his family) haunted with his past. He had moved to the city and become a fit, well-adjusted gay man, but during his visit home, he becomes unhinged as the newly remembered reasons for his miserable adolescence come to life in each of their presents.
-3
Miranda Presley moves from New York to Nashville to become a songwriter. At an unsuccessful audition she meets James Wright, a promising newcomer. After only a few days they marry but start to quickly regret it.
-1
Back in sunny southern California and on the trail of two murderers, Axel Foley again teams up with LA cop Billy Rosewood. Soon, they discover that an amusement park is being used as a front for a massive counterfeiting ring – and it's run by the same gang that shot Billy's boss.
-1
It's fire and brimstone time as grieving mother Karen McCann takes justice into her own hands when a kangaroo court in Los Angeles fails to convict Robert Doob, the monster who raped and murdered her 17-year-old daughter.
-5
A Marine Colonel is brought to court-martial after ordering his men to fire on demonstrators surrounding the American embassy in Yemen.
0
Advertising executive Nick Marshall is as cocky as they come, but what happens to a chauvinistic guy when he can suddenly hear what women are thinking? Nick gets passed over for a promotion, but after an accident enables him to hear women's thoughts, he puts his newfound talent to work against Darcy, his new boss, who seems to be infatuated with him.
1
The auto-biographical story of Howard Stern, the radio-rebel who is now also a TV-personality, an author and a movie star.
-1
Respected lawyer, Henry Turner survives a convenience-store shooting only to find he has lost his memory, and has serious speech and mobility issues. After also losing his job—where he no longer 'fits in'—his loving wife and daughter give him all their love and support.
0
In 1930s Australia, Anglican clergyman Anthony Campion and his prim wife, Estella, are asked to visit noted painter Norman Lindsay, whose planned contribution to an international art exhibit is considered blasphemous. While Campion and Lindsay debate, Estella finds herself drawn to the three beautiful models sitting for the painter's current work, freethinking Sheela, sensual Pru and virginal Giddy.
1
During a car accident, Vincent Eastman watches his whole life flash before his eyes, and he doesn't like what he sees. While maintaining the semblance of a marriage with his wife, Sally, Vincent has been carrying on with a mistress, Olivia. She's everything Sally isn't -- warm, passionate, carefree. So why can't he choose between the two, especially when his indecision is taking its toll on his daughter?
1
The adventures of married couple Henry and Nancy Clark, vexed by misfortune while in New York City for Henry's job interview.
-1
Caroline in the City is an American situation comedy that ran on the NBC television network. It stars Lea Thompson as cartoonist Caroline Duffy, who lives in Manhattan in New York City. The series premiered on September 21, 1995 in the "Must See TV" Thursday night block after Seinfeld. The show ran for 97 episodes over four seasons, before it was cancelled; its final episode was broadcast on April 26, 1999.
0
Ryan and Jennifer are opposites who definitely do not attract. At least that's what they always believed. When they met as twelve-year-olds, they disliked one another. When they met again as teenagers, they loathed each other. But when they meet in college, the uptight Ryan and the free-spirited Jennifer find that their differences bind them together and a rare friendship develops.
-1
Jane Eyre is an orphan cast out as a young girl by her aunt, Mrs. Reed, and sent to be raised in a harsh charity school for girls. There she learns to be come a teacher and eventually seeks employment outside the school. Her advertisement is answered by the housekeeper of Thornfield Hall, Mrs. Fairfax.
-2
Based on the best selling autobiography by Irish expat Frank McCourt, Angela's Ashes follows the experiences of young Frankie and his family as they try against all odds to escape the poverty endemic in the slums of pre-war Limerick. The film opens with the family in Brooklyn, but following the death of one of Frankie's siblings, they return home, only to find the situation there even worse. Prejudice against Frankie's Northern Irish father makes his search for employment in the Republic difficult despite his having fought for the IRA, and when he does find money, he spends the money on drink.
-4
Maurice Sendak's Little Bear is an educational Canadian children's television series based on the Little Bear series of books which were written by Else Holmelund Minarik, and illustrated by Maurice Sendak. Originally produced by Nelvana for Nickelodeon, it currently airs on Treehouse TV in Canada and Nick Jr. in the United States. It was first shown in the UK on the Children's BBC, and a part of Toy Box BBC video collection in the late 90s. It was also shown on Nick Jr UK and now airs on Tiny Pop. A direct-to-video/DVD full-length feature film was also created after the series ended.
0
Orphan Mary Katherine Gallagher, an ugly duckling at St. Monica High School, has a dream: to be kissed soulfully. She decides she can realize this dream if she becomes a superstar, so her prayers, her fantasies and her conversations with her only friend focus on achieving super-stardom.
-2
A group of strangers find friendship, family and love within an Italian beginners’ course.
0
Two professionals, Jeff and Marty, take a business trip to the Philippines. Their deep dissatisfaction with their lives leads them to forsake their friends and families for a return to the alcohol and drug-induced wanderings of their youth.
-1
Jack, a Palm Beach detective, becomes involved in a case of multiple murders. All the women can be linked to Jack in some way. Jack and his partner have no leads, but numerous suspects. The murders continue, along with anonymous letters from the killer.
-3
A young widow still grieving over the death of her husband finds herself being comforted by a local housepainter.
-2
When his SUV breaks down on a remote Southwestern road, Jeff Taylor lets his wife, Amy, hitch a ride with a trucker to get help. When she doesn't return, Jeff fixes his SUV and tracks down the trucker -- who tells the police he's never seen Amy. Johnathan Mostow's tense thriller then follows Jeff's desperate search for his wife, which eventually uncovers a small town's murderous secret.
-4
Pete Bell, a college basketball coach is under a lot of pressure. His team isn't winning and he cannot attract new players. The stars of the future are secretly being paid by boosters. This practice is forbidden in the college game, but Pete is desperate and has pressures from all around.
-1
A bright high-school senior has her impending status as valedictorian jeopardized when her bitter history teacher, Mrs. Tingle, gives her a poor grade on a project.  When an attempt to get ahead in Mrs. Tingle's class goes awry, mayhem ensues and friendships, loyalties and trust are tested by the teacher's intricate mind-games.
3
In 1870s Florida, a rural family struggles to survive. A lonely twelve-year-old son, Jody (Wil Horneff), the lone surviving child, against his mother's better judgment eventually persuades his parents to allow him a pet fawn, which Jody grows to love deeply. Tragic conflict arises when the fawn begins eating the family's food crops.
-3
Modern day adaptation of Shakespeare's immortal story about Hamlet's plight to avenge his father's murder in New York City.
-2
Some thirty years after Arlis witnesses his father murdering a family, he runs into Kay, who happens to be the family's baby who was spared. Kay and Arlis suspect nothing about each other, but when his father returns, old wounds are reopened.
-2
The Original Kings of Comedy achieves the seemingly impossible task of capturing the rollicking and sly comedy routines of stand-up and sitcom vets Steve Harvey, D.L. Hughley, Cedric the Entertainer, and Bernie Mac and the magic of experiencing a live concert show. Director Spike Lee and his crew plant a multitude of cameras in a packed stadium and onstage (as well as backstage, as they follow the comedians) to catch the vivid immediacy of the show, which is as much about the audience as it is about the jokes.
0
When a train carrying atomic warheads mysteriously crashes in the former Soviet Union, a nuclear specialist discovers the accident is really part of a plot to cover up the theft of the weapons. Assigned to help her recover the missing bombs is a crack Special Forces Colonel.
-4
Sir Robert Chiltern is a successful government minister, well-off and with a loving wife. All this is threatened when Mrs Cheveley appears in London with damning evidence of a past misdeed. Sir Robert turns for help to his friend Lord Goring, an apparently idle philanderer and the despair of his father. Goring knows the lady of old, and, for him, takes the whole thing pretty seriously.
0
When Christy Murphy comes home past midnight with her boyfriend, Jerry, her parents send her to the Academy of the Blessed Virgin, a Catholic school run by kind but very strict nuns.
-1
The story is of a small town in the early west and of a 'shooter' of reputation that drifts into it and stands up to the controlling family that runs it. But far from a John Wayne, this hero is caught and brutally beaten and left to die, only to be saved by a prostitute that has also suffered under the hand of this group of desperados. The only one possible to stand up to the shooter is another solitary man who joins with the notorious family although he is deputized as the town's sherif.
-2
As Told by Ginger focuses on middle schooler Ginger Foutley who, with her friends, tries to become more than a social geek.
0
Womanising, right-wing Dan Hanson and quiet, liberal Lorie Bryer work for the Baltimore Sun. Rivals for the job of new writer of a vacant column, the paper ends up instead printing their very different opinions alongside each other, which leads to a similarly combative local TV show. At the same time their initial indifference to each other looks like it may evolve into something more romantic.
2
A young pianist is looking for love in all the wrong places once her fiancee drops her. Maybe her flame will be rekindled both for the piano and a new love?
1
On a flight transporting dangerous convicts, murderer Ryan Weaver manages to break free and cause complete chaos throughout the plane. As various people on board fall victim to Weaver, it is ultimately down to flight attendant Teri Halloran to keep the aircraft from crashing, with on-ground support from an air traffic controller. While Halloran struggles to pilot the plane, Weaver continues to terrorize the surviving members of the crew.
-6
In the 1960s, a group of friends at an all girls school learn that their school is going to be combined with a nearby all boys school. They concoct a plan to save their school while dealing with everyday problems along the way.
-1
During Paris Fashion Week, models, designers and industry hot shots gather to work, mingle, argue and try to seduce one another.
2
A romantic comedy set in the Southern California beach scene. Down on his luck, Scotty McKay becomes the master of a very lonely genie, who brings him wealth, power and true love. Miracles can happen!
4
Drug lord Dwayne Gittens rules Cincinnati with an iron fist. No wonder he's known as "God" on the streets. Determined to break Gittens' stranglehold on the city is undercover cop Jeffrey Cole. But as Cole takes on an assumed identity to penetrate Gittens' criminal empire, he makes a disturbing discovery -- he kind of likes being a gangster.
-3
A struggling young musician and devoted fan of Ricky Nelson wants to be just like his idol and become a rock star.
1
A student gets his senses enhanced by an experimental drug. But abuse is not an option.
0
Young orphan Heathcliff is adopted by the wealthy Earnshaw family and moves into their estate, Wuthering Heights. Soon, the new resident falls for his compassionate foster sister, Cathy. The two share a remarkable bond that seems unbreakable until Cathy, feeling the pressure of social convention, suppresses her feelings and marries Edgar Linton, a man of means who befits her stature. Heathcliff vows to win her back.
2
"Citizen Ruth" is the story of Ruth Stoops, a woman who nobody even noticed -- until she got pregnant. Now, everyone wants a piece of her. The film is a comedy about one woman caught in the ultimate tug-of-war: a clash of wild, noisy, ridiculous people that rapidly dissolves into a media circus.
-4
A United States Presidential bodyguard risks everything to save the day when a truck chock full of biological weapons contrives to crash in a National Park.
-2
A romantic comedy about a mysterious love letter that turns a sleepy New England town upside down.
1
After saving each other from jumping off a bridge, Henry Bell and Karen Knightly plot to avenge the people who drove them to suicide. Henry will ruin the life of the woman who married Karen's boyfriend, while Karen will work as a secretary for the man who took Henry's job. Whether revenge will be sweet – or bittersweet – is anyone's guess.
-3
Blue is a teenage girl who lives with her Jazz playing father Ham. Ham gets very sick and dies, and now Blue must support herself somehow. Elle, the headmistress at a brothel, talks her into living and working at her establishment. She decides to leave the business and lead a normal life. Elle is hellbent to see that she never has one.
1
Madeline is the smallest of twelve girls in a boarding school, in an old house in Paris. When long lost Uncle Horst pays a surprise visit to Madeline, promising to move her to a new home in Vienna, her longing for a family seems to be fulfilled. Madeline becomes suspicious when her new Uncle loses his refined accent and takes an unexplained detour. Knowing she's in trouble, Madeline leaves a trail. It then turns out that Uncle Horst is actually Henri, a miserable lackey who works for an even more miserable woman, Madame LaCroque, who runs a dingy factory. Ultimately, Madeline helps the orphans who work there by notifying the outside world of their plight.
-7
Allegra's Window is a children's television series that aired on Nick Jr. from October 24, 1994 to May 1, 1996, with reruns airing from May 2, 1996 to June 1998 and later airing on Noggin from February 2, 1999 to April 2003. The show deals with the daily life of a precocious, imaginative puppet named Allegra, and featured live actors, puppets and animation ala Sesame Street. The show was created by Jan Fleming, John Hoffman and Jim Jinkins.

The series also spawned a series of music videos aired during interstitials that aired on Nick Jr.
-1
That bionic bonehead is off to the North Pole to stop Dr. Claw from taking over Santa's elves and workshop. Accompanied as usual by Penny and Brain who foil Claw's operations once again.
0
The Amanda Show is an American live action sketch comedy and variety show that aired on Nickelodeon from October 16, 1999 to September 21, 2002. It starred Amanda Bynes, Drake Bell, and Nancy Sullivan, along with several performing artists who came and left at different points, such as John Kassir, Raquel Lee, and Josh Peck. The show was a spin-off from All That, in which Bynes had co-starred for several years. The show was unexpectedly cancelled at the end of 2002, according to creator Dan Schneider's blog. Writers for the show included John Hoberg, Steven Molaro, Andrew Hill Newman, and Dan Schneider.

Two years after the end of The Amanda Show, Dan Schneider created a new series, called Drake & Josh, featuring Drake Bell, Josh Peck and Nancy Sullivan.
0
Ricky is the hottest water-ski instructor around and has just been rehired by his former employer/camp to whip up attendance. Unfortunately, the camp is in serious financial trouble. The owner of a rival, more popular camp wants to buy them out. Therefore they will have to engage in a mean, winner-takes-all competition that will settle the score once and for all.
-1
After her husband, Carl, suddenly leaves, Joline travels from New York to Texas to track him down. Although Joline tries to remain upbeat, she is discouraged when she discovers that Carl already has a new girlfriend, the lovely Carmen. Familiarizing herself with Carl's new home and friends, Joline gets company in the form of her brother, Jay. Will Joline win Carl back, or are there other romantic possibilities on her horizon?
4
Sonic the Hedgehog must stop the evil Dr. Robotnik from ruining Christmas after Santa Claus disappears
-2
Uncle Tak is famous for using Chinese herbal medicines to cure diseases. A martial arts expert, he also teaches the young how to defend themselves. One of his students, Johnny, dreams of monopolizing the teaching of kung fu throughout the United States. To accomplish this, he tries to kill Uncle Tak. Chuck, Uncle Tak's best student from Hong Kong, comes to Los Angeles to find his master. Chuck is willing to let Johnny have his way, and tries to take Uncle Tak back to Hong Kong. But Johnny and his men will not leave Chuck alone. Chuck, on his way back to Hong Kong, returns for the showdown.
4
Auggie runs a small tobacco shop in Brooklyn, New York. The whole neighborhood comes to visit him to buy cigarettes and have some small talk. During the movie Lou Reed tries to explain why he has to have a cut on his health insurance bill if he keeps smoking and Madonna acts as a Singing Telegram.
0
After two failed marriages a science fiction writer decides that coming to terms with his mother will improve his chances for a successful relationship, so he moves in with her.
0
With his boss in the madhouse, a mobster is temporary boss of the criminal empire just as vicious rivals threaten the control of the empire.
-5
KaBlam! is a sketch comedy television series that ran from 1996 to 2000. It features a collection of short films in several different styles of animation, bridged by the characters of Henry and June, who introduce the shorts, and have adventures of their own. The show ended its three-year run nine months short of four years on January 22, 2000.
0
Jewish Jack-the-lad David seriously fancies smart, rich Anglo-Saxon Carrie as soon as he first offends her in a Boston bar. They run into each other again and though she still says she finds him appalling he works on it and they are soon together. His even more reprehensible best mate and her blousy best friend watch bemused as the two fall deeply in love and then apparently as fatally out again
2
Kids answer questions, solve video puzzles and compete on traditional video games for the chance to be transported (through TV magic) into an interactive video playground.
1
A story told from three angles. Max meets Elizabeth; they live together, but when she talks of marriage, he balks. He becomes extremely jealous, probably without cause, and thinks she's taken up with a friend of his, Jack. Elizabeth, stung by Max's refusal to marry, catches Jack's eye, but the friendship seems innocent. Lena, who works with Max, likes him and realizes she can manipulate his jealousy and maybe engineer his split from Elizabeth. When she's sure Elizabeth is with a man, she calls Max at work, sending him home to confront the lovers. Then, Lena feels guilty and takes off for Max's apartment. What's really going on? Who's with Elizabeth?
-4
Carol, a college student, comes to John's office, her professor, to discuss the grade she has received for one of her papers.
0
Stars of music, sports, television and more show off their not-so-humble abodes to MTV cameras, putting on display everything from custom car collections to in-home night clubs.
0
In this undersea thriller, a United States submarine is seized by terrorists. But a rescue attempt by an elite group of Navy Seals goes wrong when they are captured. Now they must wage a silent war beneath the waves.
1
Affectionate tribute to Bruce Vilanch, who writes material for celebrities who make public appearances, from Oscar hosts and award recipients to Presidents. We meet his mom and see photos of his childhood; in Chicago, he writes for the Tribune and then heads West. Whoopi Goldberg, Billy Crystal, Robin Williams, and Bette Midler talk with him and to the camera about working with Bruce, and we also watch Bruce help others prepare for Liz Taylor's 60th, Bill Clinton's 50th, and an AIDS awards banquet where the hirsute, rotund Vilanch lets his emotions show.
3
A study in the world of hip-hop, done mostly with interviews, in order to see why it is as popular as it is today and what the future holds.
1
Oobi is a Parents' Choice Gold Award-winning television series on the Noggin channel. Oobi, a bare-hand puppet (with eyes and accessories) focuses on the stage in a young child’s life when everything in his or her world is new and incredible.

Oobi is a show about wonder. It speaks to the stage in a young child's life when everything is new and incredible: building a block tower, making cookies. Oobi is a show about children's first awkward attempts at mastery and meaning. It's a show about the everyday revelations.
4
Tale of three different couples (Yuppies, Hippies, and Society Folk) who find some common ground and become friends after being assigned to the same school project. Their lives are turned upside down by divorce, indictment, and sex but their friendship remains strong.
1
Francis Ashby, a senior Oxford don on holiday alone in the Alps, meets holidaying American Caroline and her companion Elinor, the blossoming Irish-American girl she adopted many years before. Ashby finds he enjoys their company, particularly that of Elinor, and both the women are drawn to him. Back at Oxford he is nevertheless taken aback when they arrive unannounced. Women are not allowed in the College grounds, let alone the rooms. Indeed any liaison, however innocent, is frowned on by the upstanding Fellows.
1
A man who doesn't like stable work environments has been away for too many years, and finds out his wife has divorced him and is planning to remarry. He comes home to confront her, trying to convince her not to get married, aided by the daughter, who loves him despite his wandering ways. The couple finds out they still have feelings for each other but must decide how best to handle the contradiction of their lifestyles.
3

0
A young Lakota Sioux, adopted by a wealthy Jewish couple in Beverly Hills, gets in touch with his cultural roots and solves a mystery in this thriller
0
Fifteen-year-old Deena Marten wants the same freedom every teenager craves. But when she can't have her way, her rebellious temperament erupts in violence. Her parents, Cynthia and Todd, fear her new boyfriend, Garret, 17, is the cause. Distraught, Stephanie turns to alcohol, and Todd escapes in his work. They're unaware their Boy Scout son Adam, 13, sips from a vodka bottle hidden in his bedroom. And the problems in this dysfunctional family continue to worsen.
-3
Jack Killoran is a lawyer who can 'fix' any situation for his wealthy clients, usually by bribing or blackmailing corrupt officials. Killoran runs afoul of some of his clients when he has a crisis of conscience after miraculously surviving a riding accident.
0
Using her girl-next-door looks to her advantage, Darcy Palmer is a calculating thief and murderer. After killing a young college student and taking her identity, Darcy enrolls in the victim's New England school in her place. At the university, Darcy gets to know her new roommate, Jeanelle, and her handsome father, Russell Polk, who soon play into her next scheme. When Darcy has to alter her plans, both Russell and Jeanelle become quite expendable.
0
Gullah Gullah Island is an American children's television series starring Ron Daise and Natalie Daise. It was the first show designed for preschoolers to feature a black family.
0
If you ever wanted to know what really goes on backstage, this is the definitive inside look - uncut and uncensored. Complete with on-stage performances you'll see an intimate view of what life is like at one of the biggest Rap Concert tours of all time. It shows life on the road, in hotels and off stage in a way you've never seen before.
2
Driven to drink by his wife's death, a tormented doctor is committed to an experimental rehab.
-2
U.S Postal Inspectors are called in when a suburban couple are killed by a mail bomb. Suspicion immediately falls on the couple's estranged and heavily in debt son, who also just happens to be a Navy munitions expert. But investigations reveal that he is on the run from a past event in his life that is associated with the bombings.
-6
This evocative faux documentary imagines a dystopian near future in which the government monitors every woman's sexual activity. At its center is Allison Golding (Ali Thomas), serving a life sentence for having an abortion. As politicians, journalists and other key figures discuss Allison's case, they reveal how American society reached this totalitarian state.
0
A sleazy rock video producer is suspected of murder when one of his video dancers is found dead. When young detective Johnny Marks and his veteran partner Eddie Van Owen investigate, they expose a video scandal.
-4
A young detective falls in love with a witness in a murder case and suddenly becomes a suspect herself.
-2
A woman fears for her son's health when her ex-husband kidnaps him.
-1
A 1950s high school cheerleader meets a leather clad rebel biker and goes out on the town with him. When he steals an item of jewellery he gets thrown in prison but not for long. He makes a desperate escape and he is determined to catch up with his lost love and re-new their criminal activities.
-4
A priest (Robert Ginty) learns that he fathered a child during his tour of duty in Vietnam and that the mother and child has relocated to Houston, Texas in the Little Saigon quarters. Searching for them, he also finds massive prejudice against the Vietnamese people, particularly among the fishing community in which they are trying to work. Setting out to right the wrongs, the priest tends to use more fisticuffs than friendly, priestly persuasion.
1
A mercenary is hired to hunt down a group of rebel soldiers in Africa.
0
Tracy Garret's a cop and after an incident that left one person dead, she's invited by her father to spend sometime with him in Berlin. While they were out having dinner, her father's shot. She is then informed by the German inspector assigned to her father's case that her father's a CIA operative. She then decides to investigate the case...
-1
New York City cop becomes partners with a rodeo cowboy from Montana on the City's Mounted Police Department.
0
A woman journalist, Zoe, knows better than to go into a story with her mind already made up. But that's exactly what she does when she heads off to Spain to write about its men and their macho take (as she sees it) on relationships. As she tries to prove her thesis, she soon realizes that she doesn't know as much about the male sex as she thought.  She also finds herself involved in relationships with the wrong men.
0
When her brother is murdered, a young reporter sets out to find his killer. She is comforted by his boss, a wealthy computer magnate, until her investigation slowly points to him.
-1
Live performance by Robyn Hitchcock, in... well, a storefront.
1
Original castmembers from the 60's series reunite as Patty fights to stop her longtime nemesis Sue Ellen from turning Brooklyn Heights High into a shopping mall.
-2
An elite team of FBI profilers analyze the country's most twisted criminal minds, anticipating their next moves before they strike again. The Behavioral Analysis Unit's most experienced agent is David Rossi, a founding member of the BAU who returns to help the team solve new cases.
-2
Join RuPaul, the world's most famous drag queen, as the host, mentor and judge for the ultimate in drag queen competitions. The top drag queens in the U.S. will vie for drag stardom as RuPaul, in full glamazon drag, will reign supreme in all judging and eliminations while helping guide the contestants as they prepare for each challenge.
-2
A drama about a multi-generational family of cops dedicated to New York City law enforcement. Frank Reagan is the New York Police Commissioner and heads both the police force and the Reagan brood. He runs his department as diplomatically as he runs his family, even when dealing with the politics that plagued his unapologetically bold father, Henry, during his stint as Chief.
0
The exploits of the Los Angeles–based Office of Special Projects (OSP), an elite division of the Naval Criminal Investigative Service that specializes in undercover assignments.
-1
This partially unscripted comedy brings viewers into the squad car as incompetent officers swing into action, answering 911 calls about everything from speeding violations and prostitution to staking out a drug den. Within each episode, viewers catch a "fly on the wall" glimpse of the cops' often politically incorrect opinions, ranging from their personal feelings to professional critiques of their colleagues.
-3
Ruthless silver miner, turned oil prospector, Daniel Plainview, moves to oil-rich California. Using his son to project a trustworthy, family-man image, Plainview cons local landowners into selling him their valuable properties for a pittance. However, local preacher Eli Sunday suspects Plainview's motives and intentions, starting a slow-burning feud that threatens both their lives.
-1
Alicia Florrick boldly assumes full responsibility for her family and re-enters the workforce after her husband's very public sex and political corruption scandal lands him in jail.
-2
Cady Heron is a hit with The Plastics, the A-list girl clique at her new school, until she makes the mistake of falling for Aaron Samuels, the ex-boyfriend of alpha Plastic Regina George.
-3
Clear the runway for Derek Zoolander, VH1's three-time male model of the year. His face falls when hippie-chic Hansel scooters in to steal this year's award. The evil fashion guru Mugatu seizes the opportunity to turn Derek into a killing machine. It's a well-designed conspiracy and only with the help of Hansel and a few well-chosen accessories like Matilda can Derek make the world safe for male models everywhere.
-1
His Wife is dead and his Son hates him but this old man still has fight in him!  When he loses a highly publicized virtual boxing match to ex-champ Rocky Balboa, reigning heavyweight titleholder Mason Dixon retaliates by challenging Rocky to a nationally televised, 10-round exhibition bout. To the surprise of his son and friends, Rocky agrees to come out of retirement and face an opponent who's faster, stronger, and thirty years his junior.
-6
In 1863, Amsterdam Vallon returns to the Five Points of America to seek vengeance against the psychotic gangland kingpin, Bill the Butcher, who murdered his father years earlier. With an eager pickpocket by his side and a whole new army, Vallon fights his way to seek vengeance on the Butcher and restore peace in the area.
-2
Five young New Yorkers throw their friend a going-away party the night that a monster the size of a skyscraper descends upon the city. Told from the point of view of their video camera, the film is a document of their attempt to survive the most surreal, horrifying event of their lives.
-1
Ray Ferrier is a divorced dockworker and less-than-perfect father. Soon after his ex-wife and her new husband drop off his teenage son and young daughter for a rare weekend visit, a strange and powerful lightning storm touches down.
0
Peppa Pig is an energetic piggy who lives with Mummy, Daddy, and little brother George. She loves to jump in mud puddles and make loud snorting noises.
-1
I was born under unusual circumstances. And so begins The Curious Case of Benjamin Button, adapted from the 1920s story by F. Scott Fitzgerald about a man who is born in his eighties and ages backwards: a man, like any of us, who is unable to stop time. We follow his story, set in New Orleans, from the end of World War I in 1918 into the 21st century, following his journey that is as unusual as any man's life can be. Benjamin Button, is a grand tale of a not-so-ordinary man and the people and places he discovers along the way, the loves he finds, the joys of life and the sadness of death, and what lasts beyond time.
-1
It's the 1970s and San Diego anchorman Ron Burgundy is the top dog in local TV, but that's all about to change when ambitious reporter Veronica Corningstone arrives as a new employee at his station.
2
Steve McGarrett returns home to Oahu, in order to find his father's killer. The governor offers him the chance to run his own task force (Five-0). Steve's team is joined by Chin Ho Kelly, Danny "Danno" Williams, and Kono Kalakaua.
-1
It’s the battle of wills, as Andie (Kate Hudson) needs to prove she can dump a guy in 10 days, whereas Ben (Matthew McConaughey) needs to prove he can win a girl in 10 days. Now, the clock is ticking - and the wildly entertaining comedy smash is off and running in this irresistible tale of sex, lies and outrageous romantic fireworks!
-1
In the slums of Rio, two kids' paths diverge as one struggles to become a photographer and the other a kingpin.
-1
David, a robotic boy—the first of his kind programmed to love—is adopted as a test case by a Cybertronics employee and his wife. Though he gradually becomes their child, a series of unexpected circumstances make this life impossible for David.
-2
Viktor Navorski is a man without a country; his plane took off just as a coup d'etat exploded in his homeland, leaving it in shambles, and now he's stranded at Kennedy Airport, where he's holding a passport that nobody recognizes. While quarantined in the transit lounge until authorities can figure out what to do with him, Viktor simply goes on living – and courts romance with a beautiful flight attendant.
1
Following the murder of her father by a hired hand, a 14-year-old farm girl sets out to capture the killer. To aid her, she hires the toughest U.S. Marshal she can find—a man with 'true grit'—Reuben J. 'Rooster' Cogburn.
-1
David Aames has it all: wealth, good looks and gorgeous women on his arm. But just as he begins falling for the warmhearted Sofia, his face is horribly disfigured in a car accident. That's just the beginning of his troubles as the lines between illusion and reality, between life and death, are blurred.
-2
The fate of the galaxy rests in the hands of bitter rivals. One, James Kirk, is a delinquent, thrill-seeking Iowa farm boy. The other, Spock, a Vulcan, was raised in a logic-based society that rejects all emotion. As fiery instinct clashes with calm reason, their unlikely but powerful partnership is the only thing capable of leading their crew through unimaginable danger, boldly going where no one has gone before. The human adventure has begun again.
-3
Set during the Cold War, the Soviets—led by sword-wielding Irina Spalko—are in search of a crystal skull which has supernatural powers related to a mystical Lost City of Gold. Indy is coerced to head to Peru at the behest of a young man whose friend—and Indy's colleague—Professor Oxley has been captured for his knowledge of the skull's whereabouts.
-1
Cab driver Max picks up a man who offers him $600 to drive him around. But the promise of easy money sours when Max realizes his fare is an assassin.
0
Viola Hastings is in a real jam. Complications threaten her scheme to pose as her twin brother, Sebastian, and take his place at a new boarding school. She falls in love with her handsome roommate, Duke, who loves beautiful Olivia, who has fallen for Sebastian! As if that were not enough, Viola's twin returns from London ahead of schedule but has no idea that his sister has already replaced him on campus.
0
Based on a true story, in which Richmond High School head basketball coach Ken Carter made headlines in 1999 for benching his undefeated team due to poor academic results.
-1
After graduating from Emory University in 1992, top student and athlete Christopher McCandless abandons his possessions, gives his entire $24,000 savings account to charity, and hitchhikes to Alaska to live in the wilderness.
1
Summertime on the coast of Maine, "In the Bedroom" centers on the inner dynamics of a family in transition. Matt Fowler is a doctor practicing in his native Maine and is married to New York born Ruth Fowler, a music teacher. His son is involved in a love affair with a local single mother. As the beauty of Maine's brief and fleeting summer comes to an end, these characters find themselves in the midst of unimaginable tragedy.
0
For Rod Kimball, performing stunts is a way of life, even though he is rather accident-prone. Poor Rod cannot even get any respect from his stepfather, Frank, who beats him up in weekly sparring matches. When Frank falls ill, Rod devises his most outrageous stunt yet to raise money for Frank's operation -- and then Rod will kick Frank's butt.
-4
Invader Zim is an American animated television series created by Jhonen Vasquez. The show premiered on Nickelodeon on March 30, 2001. The series involves an extraterrestrial named Zim who originates from a planet called Irk, and his ongoing mission to conquer and destroy Earth. His various attempts to subjugate and destroy the human race are invariably undermined by some combination of his own ineptitude, his malfunctioning robot servant GIR, and a young paranormal investigator named Dib, one of the very few people attentive enough to be aware of Zim's identity.
-5
Jericho is an American action/drama series that centers on the residents of the fictional town of Jericho, Kansas, in the aftermath of nuclear attacks on 23 major cities in the contiguous United States.
-2
Rachel Keller is a journalist investigating a videotape that may have killed four teenagers. There is an urban legend about this tape: the viewer will die seven days after watching it. Rachel tracks down the video... and watches it. Now she has just seven days to unravel the mystery of the Ring so she can save herself and her son.
-4
Retired from active duty to train new IMF agents, Ethan Hunt is called back into action to confront sadistic arms dealer, Owen Davian. Hunt must try to protect his girlfriend while working with his new team to complete the mission.
0
Charlie Croker pulled off the crime of a lifetime. The one thing that he didn't plan on was being double-crossed. Along with a drop-dead gorgeous safecracker, Croker and his team take off to re-steal the loot and end up in a pulse-pounding, pedal-to-the-metal chase that careens up, down, above and below the streets of Los Angeles.
-1
When his only friend dies, a man born with dwarfism moves to rural New Jersey to live a life of solitude, only to meet a chatty hot dog vendor and a woman dealing with her own personal loss.
0
Corporate downsizing expert Ryan Bingham spends his life in planes, airports, and hotels, but just as he’s about to reach a milestone of ten million frequent flyer miles, he meets a woman who causes him to rethink his transient life.
0
During the mid-22nd century, a century before Captain Kirk's five-year mission, Jonathan Archer captains the United Earth ship Enterprise during the early years of Starfleet, leading up to the Earth-Romulan War and the formation of the Federation.
1
Serial Killer Michael Myers is not finished with Laurie Strode, and their rivalry finally comes to an end. But is this the last we see of Myers? Freddie Harris and Nora Winston are reality programmers at DangerTainment, and are planning to send a group of 6 thrill-seeking teenagers into the childhood home of Myers. Cameras are placed all over the house and no one can get out of the house... and then Michael arrives home!
-2
A retelling of France's iconic but ill-fated queen, Marie Antoinette, from her betrothal and marriage to Louis XVI at 15 to her reign as queen at 19 and ultimately the fall of Versailles.
-2
The discovery that she has a terminal illness prompts introverted department store saleswoman Georgia Byrd to reflect on what she realizes has been an overly cautious life. With weeks to live, she withdraws her life savings, sells all her possessions and jets off to Europe where she lives it up at a posh hotel. Upbeat and passionate, Georgia charms everybody she meets, including renowned Chef Didier. The only one missing from her new life is her longtime crush Sean Matthews.
4
Although strangers Sara and Jonathan are both already in relationships, they realize they have genuine chemistry after a chance encounter – but part company soon after. Years later, they each yearn to reunite, despite being destined for the altar. But to give true love a chance, they have to find one another again.
1
Three fabulous, eccentric, LA best friends of a certain age have their lives changed forever when their plane unexpectedly lands in Cleveland and they soon rediscover themselves in this new "promised land."
1
Reality series that follows high-level executives as they slip anonymously into the rank-and-file of their own organizations. Each week, a different leader will sacrifice the comfort of their corner office for an undercover mission to examine the inner workings of their operation.
1
Nacho Libre is loosely based on the story of Fray Tormenta ("Friar Storm"), aka Rev. Sergio Gutierrez Benitez, a real-life Mexican Catholic priest who had a 23-year career as a masked luchador. He competed in order to support the orphanage he directed.
1
A chaotic Bridget Jones meets a snobbish lawyer, and he soon enters her world of imperfections.
-3
Reality show following the auditioning process and making of the annual Dallas Cowboys Cheerleading Squad.
0
Trevor, an insomniac lathe operator, experiences unusual occurrences at work and home. A strange man follows him everywhere, but no one else seems to notice him.
-1
Allison Dubois works in the District Attorney’s office using her natural intuition about people and her ability to communicate with the dead to help to solve crimes. Her dreams often give her clues to the whereabouts of missing people.
-1
After a young, middle-class couple moves into what seems like a typical suburban house, they become increasingly disturbed by a presence that may or may not be demonic but is certainly the most active in the middle of the night.  Followed by five terrifying installments in the franchise, this is the original found-footage shocker that started it all.
-1
In the wilderness of British Columbia, two hunters are tracked and viciously murdered by Aaron Hallum. A former Special Operations instructor is approached and asked to apprehend Hallum—his former student—who has 'gone rogue' after suffering severe battle stress from his time in Kosovo.
-5
"The Hours" is the story of three women searching for more potent, meaningful lives. Each is alive at a different time and place, all are linked by their yearnings and their fears. Their stories intertwine, and finally come together in a surprising, transcendent moment of shared recognition.
0
The Surreal Life is a reality television series that sets a select group of past-their-prime celebrities and records them as they live together in Glen Campbell's former mansion in the Hollywood Hills for two weeks. The format of the show resembles that of The Real World and Road Rules, in that the cameras not only record the castmates' participation in group activities assigned to them, but also their interpersonal relationships and conflicts. The series is also likened to The Challenge in that previously known individuals from separate origins of entertainment are brought together into one cast. The show's first two seasons aired on The WB, and subsequent seasons have been shown on VH1.
0
Jackass stars Chris Pontius and Steve-O travel the globe to places like India, Mexico, Africa, Thailand, Argentina, Thailand, Argentina, for a nature show with a Jackass twist.
0
In an ensemble film about easy money, greed, manipulation and bad driving, a Las Vegas casino tycoon entertains his wealthiest high rollers -- a group that will bet on anything -- by pitting six ordinary people against each other in a wild dash for $2 million jammed into a locker hundreds of miles away. The tycoon and his wealthy friends monitor each racer's every move to keep track of their favorites. The only rule in this race is that there are no rules.
0
In 1964, a Catholic school nun questions a priest's ambiguous relationship with a troubled young student, suspecting him of abuse. He denies the charges.
-4
Meet five lively animal friends who love to sing, dance and use their imaginations to embark on outrageous adventures to magical places.
2
Three wealthy children's parents are killed in a fire. When they are sent to a distant relative, they find out that he is plotting to kill them and seize their fortune.
0
Years after his squad was ambushed during the Gulf War, Major Ben Marco finds himself having terrible nightmares. He begins to doubt that his fellow squad-mate Sergeant Raymond Shaw, now a vice-presidential candidate, is the hero he remembers him being. As Marco's doubts deepen, Shaw's political power grows, and, when Marco finds a mysterious implant embedded in his back, the memory of what really happened begins to return.
-4
The world's first animated reality series gathers icons from all corners of the cartoon universe and lets them loose, with plenty of cameras to catch their exploits. Here's what happens when eight cartoon characters stop being polite and start getting real.
-1
After being brutally murdered, 14-year-old Susie Salmon watches from heaven over her grief-stricken family -- and her killer. As she observes their daily lives, she must balance her thirst for revenge with her desire for her family to heal.
-2
When Brent turns down his classmate Lola's invitation to the prom, she concocts a wildly violent plan for revenge.
-3
CSI: Miami follows Crime Scene Investigators working for the Miami-Dade Police Department as they use physical evidence, similar to their Las Vegas counterparts, to solve grisly murders. The series mixes deduction, gritty subject matter, and character-driven drama in the same vein as the original series in the CSI franchise, except that the Miami CSIs are cops first, scientists second.
-4
Four adopted brothers return to their Detroit hometown when their mother is murdered and vow to exact revenge on the killers.
-2
Drew Baylor is fired after causing his shoe company to lose hundreds of millions of dollars. To make matters worse, he's also dumped by his girlfriend. On the verge of ending it all, Drew gets a new lease on life when he returns to his family's small Kentucky hometown after his father dies. Along the way, he meets a flight attendant with whom he falls in love.
-3
The story of the first major battle of the American phase of the Vietnam War and the soldiers on both sides that fought it.
0
A fairy tale love-story about pre-med student Paige who falls in love with a Danish Prince "Eddie" who refused to follow the traditions of his parents and has come to the US to quench his thirst for rebellion. Paige and Edward come from two different worlds, but there is an undeniable attraction between them.
-1
Chris is a teenager growing up as the eldest of three children in Brooklyn, New York during the early 1980s. Uprooted to a new neighborhood and bused to a predominantly white middle school two-hours away by his strict, hard-working parents, Chris struggles to find his place while keeping his siblings in line at home and surmounting the challenges of junior high.
-1
Follow the investigations of a team of NYPD forensic scientists and police officers identified as "Crime Scene Investigators".
-1
Max and Page are a brilliant mother/daughter con team who have their grift down to a fine science. Max targets wealthy, willing men and marries them. Page then seduces them, and Max catches her husband in the act. Then it's off to palimony city and the next easy mark.
5
Danny Fenton was once your typical kid until he accidentally blew up his parents' laboratory and became ghost-hunting superhero Danny Phantom. Now half-ghost, Danny's picked up paranormal powers, but only his sister, Jazz, and best friends, Samantha and Tucker, know his secret. Danny's busy fighting ghosts, saving Casper High and hiding his new identity all while trying to graduate.
1
Rising executive Tim Conrad works for a boss who hosts a monthly dinner in which the guest who brings the biggest buffoon gets a career-boost. Tim plans on not attending until he meets Barry, a man who builds dioramas using stuffed mice. Barry's blundering but good intentions send Tim's life into a downward spiral, threatening a major business deal and possibly scuttling Tim's engagement to his fiancee.
0
15-year-old Drake and Josh are schoolmates, but not close friends. Drake views Josh as weird and a bit of a goof. So, imagine Drake's shock when he finds out that this "goof" is about to become his new step-brother and roommate when his mother marries Josh's father. A spin off of The Amanda Show.
-4
Johnny Knoxville and his band of maniacs perform a variety of stunts and gross-out gags on the big screen for the first time. They wander around Japan in panda outfits, wreak havoc on a once civilized golf course, they even do stunts involving LIVE alligators, and so on.
-4
Days after welcoming a newborn baby, Dan and Kristi Rey return home one day to find their house ransacked with seemingly no explanation. Their fear forces them to put in security cameras, which begin to capture strange activity around the house.
-2
Three friends, whose lives have been drifting apart, reunite for the funeral of a fourth childhood friend. When looking through their childhood belongings, they discover a trunk which contained details on a quest their friend was attempting. It revealed that he was hot on the trail of the $200,000 that went missing with airplane hijacker D.B. Cooper in 1971. They decide to continue his journey, but do not understand the dangers they will soon encounter.
0
Jimmy Neutron is the smartest kid in town. As a genius, Jimmy thinks most things can be solved with the invention of a new gizmo. But Jimmy usually takes the easy way out, and his backfiring gadgets result in comedic adventures.
3
The Strategic Response Unit (SRU) is an elite team of cops who specialize in high-risk critical incidents. Trained in tactics and psychology, they deal with extreme situations, where split-second decisions could save a life...or cost one.
0
In the fishing village of Cedar Bay, terror lies within the water. And now it has surfaced in search of something more substantial to devour than marine life: human flesh. A captain and a sea biologist must wage a terrifying battle against the deadly creatures in order to save mankind from total extinction.
-3
After the death of her mother, Sara moves to the South Side of Chicago to live with her father and gets transferred to a majority-black school. Her life takes a turn for the better when befriends Chenille and her brother Derek, who helps her with her dancing skills.
1
After 10 years in prison, Driver is now a free man with a single focus - hunting down the people responsible for brutally murdering his brother.
-1
A deadly virus has spread across the globe. Contagion is everywhere, no one is safe, and no one can be trusted. Four friends race through the back roads of the American West on their way to a secluded utopian beach in the Gulf of Mexico where they could peacefully wait out the pandemic. Their plans take a grim turn when their car breaks down on an isolated road starting a chain of events that will seal their fates.
-2
When her scientist ex-boyfriend discovers a portal to travel through time -- and brings back a 19th-century nobleman named Leopold to prove it -- a skeptical Kate reluctantly takes responsibility for showing Leopold the 21st century. The more time Kate spends with Leopold, the harder she falls for him. But if he doesn't return to his own time, his absence will forever alter history.
-4
Jackass Number Two is a compilation of various stunts, pranks and skits, and essentially has no plot. Chris Pontius, Johnny Knoxville, Steve-O, Bam Margera, and the whole crew return to the screen to raise the stakes higher than ever before.
-2
Chris is a once promising high school athlete whose life is turned upside down following a tragic accident. As he tries to maintain a normal life, he takes a job as a janitor at a bank, where he ultimately finds himself caught up in a planned heist.
0
A weekly topical series hosted by comedian Daniel Tosh that delves into all aspects of the Internet, from the ingenious to the absurd to the medically inadvisable.
-1
Behrani, an Iranian immigrant buys a California bungalow, thinking he can fix it up, sell it again, and make enough money to send his son to college. However, the house is the legal property of former drug addict Kathy. After losing the house in an unfair legal dispute with the county, she is left with nowhere to go. Wanting her house back, she hires a lawyer and befriends a police officer. Neither Kathy nor Behrani have broken the law, so they find themselves involved in a difficult moral dilemma.
-5
Ella lives in a magical world in which each child, at the moment of their birth, is given a virtuous "gift" from a fairy godmother. Ella's so-called gift, however, is obedience. This birthright proves itself to be quite the curse once Ella finds herself in the hands of several unscrupulous characters whom she quite literally cannot disobey. Determined to gain control of her life and decisions, Ella sets off on a journey to find her fairy godmother who she hopes will lift the curse. The path, however, isn't easy -- Ella must outwit a slew of unpleasant obstacles including ogres, giants, wicked stepsisters, elves and Prince Charmont's evil uncle, who wants to take over the crown and rule the kingdom.
-3
In 16 and Pregnant, they were moms-to-be. Now, follow Farrah, Maci, Amber, and Catelynn as they face the challenges of motherhood. Each episode interweaves these stories revealing the wide variety of challenges young mothers can face: marriage, relationships, family support, adoption, finances, graduating high school, starting college, getting a job, and the daunting and exciting step of moving out to create their own families.
2
With the ratings dropping for a wilderness-themed TV show, two animal fans go to the Andes in search of Bigfoot.
0
Alliances are tested when seven college pals reunite to watch two of their own say “I do” at a seaside wedding. But the maid of honor and the groom share a passionate history, and the bride isn’t the only one who’s wondering if it’s all in the past.
2
A Russian and a German sniper play a game of cat-and-mouse during the Battle of Stalingrad in WWII.
0
In her many years as a social worker, Emily Jenkins believes she has seen it all, until she meets 10-year-old Lilith and the girl's cruel parents. Emily's worst fears are confirmed when the parents try to harm the child, and so Emily assumes custody of Lilith while she looks for a foster family. However, Emily soon finds that dark forces surround the seemingly innocent girl, and the more she tries to protect Lilith, the more horrors she encounters.
-4
Social worker Mark Lilly helps new citizens—both human and "other"—begin the process of adapting to life in the Big Apple, but his coworkers, demonic bureaucrat Twayne, drunken wizard Leonard Powers, surly law enforcement head Frank Grimes & his girlfriend, Callie, don't make it easy.
-1
Johnny Knoxville, Bam Margera, Steve-O, Wee Man and the rest of their fearless and foolhardy friends take part in another round of outrageous pranks and stunts. In addition to standing in the path of a charging bull, launching themselves into the air and crashing through various objects, the guys perform in segments such as "Sweatsuit Cocktail," "Beehive Tetherball" and "Lamborghini Tooth Pull."
-4
There's trouble brewing in Bikini Bottom. Someone has stolen King Neptune's crown, and it looks like Mr. Krab, SpongeBob's boss, is the culprit. Though he's just been passed over for the promotion of his dreams, SpongeBob stands by his boss, and along with his best pal Patrick, sets out on a treacherous mission to Shell City to reclaim the crown and save Mr. Krab's life.
-1
Teenagers living in small-town Oregon take a boat trip for a birthday celebration. When they get an idea to play a mean trick on the town bully, it suddenly goes too far. Soon they're forced to deal with the unexpected consequences of their actions.
-2
Scouring the ocean depths for treasure-laden shipwrecks is business as usual for a thrill-seeking underwater adventurer and his wisecracking buddy. But when these two cross paths with a beautiful doctor, they find themselves on the ultimate treasure hunt.
1
Bo Burnham is back with a new one-man show full of his patented songs and wordplay, as well as haikus, dramatic readings, blasphemy, and so much more in his first hour-long special, shot live in his home town of Boston.
0
Two police officers struggle to survive when they become trapped beneath the rubble of the World Trade Center on September 11, 2001.
-2
Wonder Showzen is an American sketch comedy television series that aired between 2005 and 2006 on MTV2. It was created by John Lee and Vernon Chatman of PFFR. The show is rated TV-MA.

The show's format is that of educational PBS children's television shows such as Sesame Street and The Electric Company, parodying the format with adult-oriented content. In addition to general controversial comedy, it satirizes politics, religion, war, sex, and culture with black comedy.

Every episode begins with a disclaimer, accompanied by the sound of someone screaming "Don't eat my baby!", which reads:

"Wonder Showzen contains offensive, despicable content that is too controversial and too awesome for actual children. The stark, ugly and profound truths Wonder Showzen exposes may be soul-crushing to the weak of spirit. If you allow a child to watch this show, you are a bad parent or guardian."
-3
Wilbur the pig is scared of the end of the season, because he knows that come that time, he will end up on the dinner table. He hatches a plan with Charlotte, a spider that lives in his pen, to ensure that this will never happen.
-2
Gripping, heartbreaking, and ultimately hopeful, Waiting for Superman is an impassioned indictment of the American school system from An Inconvenient Truth director Davis Guggenheim.
1
Kassie is a smart, fun-loving single woman who, despite her neurotic best friend Wally’s objections, decides it’s time to have a baby – even if it means doing it herself…with a little help from a charming sperm donor. But, unbeknownst to her, Kassie’s plans go awry because of a last-minute switch that isn’t discovered until seven years later… when Wally gets acquainted with Kassie’s cute – though slightly neurotic – son.
1
While flying a routine reconnaissance mission over Bosnia, fighter pilot Chris Burnett photographs something he wasn't supposed to see and gets shot down behind enemy lines, where he must outrun an army led by a ruthless Serbian general. With time running out and a deadly tracker on his trail, Burnett's commanding officer decides to risk his career and launch a renegade rescue mission to save his life.
-3
Michael Jennings is a genius who's hired – and paid handsomely – by high-tech firms to work on highly sensitive projects, after which his short-term memory is erased so he's incapable of breaching security. But at the end of a three-year job, he's told he isn't getting a paycheck and instead receives a mysterious envelope. In it are clues he must piece together to find out why he wasn't paid – and why he's now in hot water.
3
The access-all-areas pass to the drama that you didn't see on the runway—the backstage bitchiness, the catfights, the struggles, the tears and the secrets. See what happens behind the scenes of RuPaul's Drag Race when the queens let their tucks breathe... and let their emotions flow.
-2
Sarah Silverman plays a character named Sarah Silverman, whose absurd daily life unfolds in scripted scenes and songs. With her sister and her gay neighbors by her side, Sarah always manages to fall into unique, unsettling and downright weird predicaments.
-5
Everyone always knew that Max had a wild imagination, but no one believed that his wildest creations -- a boy raised by watchful great white sharks and a girl with the force of a volcano -- were real. Now, these two pint-sized action masters will show Max that even an ordinary kid has what it takes to be extraordinary.
1
Nick Fallin is a hotshot lawyer working at his father's ultrasuccessful Pittsburgh law firm. Unfortunately, the high life has gotten the best of Nick. Arrested for drug use, he's sentenced to do 1,500 hours of community service, somehow to be squeezed into his 24/7 cutthroat world of mergers, acquisitions and board meetings. Reluctantly, he's now The Guardian - a part-time child advocate at Legal Aid Services, where one case after another is an eye-opening instance of kids caught up in difficult circumstances.
-2
A sailor prone to violent outbursts is sent to a naval psychiatrist for help. Refusing at first to open up, the young man eventually breaks down and reveals a horrific childhood. Through the guidance of his doctor, he confronts his painful past and begins a quest to find the family he never knew.
-5
Shaun Brumder is a local surfer kid from Orange County who dreams of going to Stanford to become a writer and to get away from his dysfunctional family household. Except Shaun runs into one complication after another, starting when his application is rejected after his dim-witted guidance counselor sends in the wrong form.
-2
Jersey Shore is an American reality television series which ran on MTV from December 3, 2009 to December 20, 2012 in the United States. The series follows the lives of eight housemates spending their summer at the Jersey Shore in the U.S. state of New Jersey. Season 2 followed the cast escaping the cold northeast winter to Miami Beach, with Season 3 returning to the Jersey Shore. The fourth season, filmed in Italy, premiered on August 4, 2011. The show returned for a fifth season, at Seaside Heights on January 5, 2012. The fifth season finale aired on March 15, 2012. On March 19, 2012, MTV confirmed that the series would return for their sixth season. On August 30, 2012, MTV announced that the Jersey Shore would end after the sixth season, which premiered on October 4. The series finale aired on December 20, 2012.

The show debuted amid large amounts of controversy regarding the use of the words "Guido/Guidette," portrayals of Italian-American stereotypes, and scrutiny from locals because the cast members were not residents of the area.

The series garnered record ratings for MTV, making it the network's most viewed series telecast ever. The series' cast have also been credited with introducing unique lexicon and phrases into American popular culture.
-2
This true story, which takes place in Fort Campbell, KY, tells the heart-wrenching story of the life and tragic death of soldier Barry Winchell. His love for Calpernia Addams, a transgender nightclub performer, was misunderstood by his fellow soldiers and eventually led to his murder.
-2
Frank Morrison is a divorced father with a 12-year-old son, Danny. His ex-wife Susan and son Danny now live with Rick Barnes, Susan's new husband. Danny, who has a reputation for telling lies, accuses his stepfather of committing a murder. Initially, no one believes his accusations, but then Frank becomes convinced and is the only one who believes him. Now, the father Danny trusts must protect him from the stepfather he fears.
-2
A young and devoted morning television producer is hired as an executive producer on a  long-running morning show at a once-prominent but currently failing station in New York City. Eager to keep the show on air, she recruits a former news journalist and anchor who disapproves of co-hosting a show that does not deal with real news stories.
0
A crazed scientist experimenting with a rage virus on innocent victims in a laboratory in the woods. When his monstrous subjects escape and vultures devour their remains, they became mutations seeking to feed on humans.
-3
Visioneer George Washington Winsterhammerman lives a comfortable but monotonous life in this slightly futuristic black comedy. When people start exploding from stress and George is showing early symptoms, he's forced to examine his life. Taking a look at his nice job, his sexless marriage and his resistance to life coaching, George reconsiders the philosophy of happiness through mindless activity.
-1
Dr. Henry Jekyll is a well-regarded physician whose evenings are spent researching a rare and sacred Amazonian flower so potent it's said to literally separate the soul, giving life to man's Dark Self. The obsessive experiments to isolate its psychotropic properties happen to coincide with a series of brutal murders gripping the city with fear. Jekyll knows it's no coincidence. While his nights are lost to him, he awakens with bloody mementos and violent memories of the screams of his victims.
-9
American viewers may know him best as the British correspondent on "The Daily Show," but John Oliver is also an accomplished stand-up comic. In his first Comedy Central special Oliver tackles the topics that perplex him about the United States. He takes well-aimed shots at the American political process and the invasion of Iraq (including how the Brits would have done it differently), and argues for reparations from the Revolutionary War.
2
Renowned writer F. Scott Fitzgerald is living the last months of his life with his youthful secretary, confidant, and protégé who later wrote a memoir of their time together.
2
In Los Angeles, siblings Ellie and Jimmy come across an accident on Mulholland Drive. As they try to help the woman caught in the wreckage, a ferocious creature attacks them, devouring the woman and scratching the terrified siblings. They slowly discover that the creature was a werewolf and that they have fallen victim to a deadly curse.
-5
Lucy has always used food to escape life's problems, but when this self-titled "fat friend" lures her group of old college buddies to the Montana wilderness, she reveals a new self - skinny, beautiful and still flawed.
-4
The residents of a small Alaskan town find themselves under attack by a flying reptile known in medieval mythology as a Wyvern. It has thawed from its ancient slumber by melting icecaps caused by global warming.
-1
The Penguins of Madagascar is an American CGI animated television series airing on Nickelodeon. It stars nine characters from the DreamWorks Animation animated film Madagascar: The penguins Skipper, Kowalski, Private, and Rico; the lemurs King Julien, Maurice, and Mort; and Mason and Phil the chimpanzees. Characters new to the series include Marlene the otter and a zookeeper named Alice. It is the first Nicktoon produced with DreamWorks Animation.

A pilot episode, "Gone in a Flash", aired as part of "Superstuffed Nicktoons Weekend" on November 29, 2008, and The Penguins of Madagascar became a regular series on March 28, 2009. The series premiere drew 6.1 million viewers, setting a new record as the most-watched premiere.

Although the series occasionally alludes to the rest of the franchise, The Penguins of Madagascar does not take place at a precise time within it. McGrath, who is also the co-creator of the film characters, has said that the series takes place "not specifically before or after the movie, I just wanted them all back at the zoo. I think of it as taking place in a parallel universe."
1
The aggravatingly amiable star of "Full House," "America's Funniest Home Videos"
1
Martin Scorsese and the Rolling Stones unite in "Shine A Light," a look at The Rolling Stones." Scorsese filmed the Stones over a two-day period at the intimate Beacon Theater in New York City in fall 2006. Cinematographers capture the raw energy of the legendary band.
2
An inept taekwondo instructor struggles with marital troubles and an unhealthy obsession with fellow taekwondo enthusiast Chuck "The Truck" Williams.
-2
A six-part French documentary about the Second World War composed exclusively of actual footage of the war as filmed by war correspondents, soldiers, resistance fighters and private citizens. The series is shown in color, with the black and white footage being fully colorized, save for some original color footage. The only exception to the treatment are most Holocaust scenes, which are presented in the original black and white.
-1
A chronicle of the life of 18th century aristocrat Georgiana, Duchess of Devonshire, who was reviled for her extravagant political and personal life.
-2
An aging thief hopes to retire and live off his ill-gotten wealth when a young kid convinces him into doing one last heist.
0
A musical version of the classic story set in the modern day.
2
All Grown Up! is an animated television series created by Arlene Klasky and Gábor Csupó for Nickelodeon. After the success of All Growed Up, the Rugrats 10th anniversary special, Nickelodeon commissioned All Grown Up! as a spin-off series based on the episode. The series ran from April 12, 2003 to August 17, 2008, and currently airs in reruns on Nickelodeon and Nicktoons. The show aired in reruns on The N from August 18, 2003 until November 12, 2005, it was dropped from the channel on February 2006, but then returned in April 2007 until June 25, 2009, then on July 7, 2009, All Grown Up! was dropped from The N again. The show's premise is that the characters of the Rugrats are ten years older. Tommy, Dil, Chuckie, Phil, Lil, Kimi, Angelica and Susie now have to deal with teen and pre-teen issues and situations.

It was the first Nicktoon spin-off receiving positive review among critics, and developed a cult following after its run.
0
When ants, displaying never-before-seen behavior, seize an island, the controversial Thorax Team is called in to stop the massive threat, only to discover that the ants are controlled by something beyond this world.
-2
The story, set in 1885, follows a British officer (Heath Ledger) who resigns his post when he learns of his regiment's plan to ship out to the Sudan for the conflict with the Mahdi. His friends and fiancée send him four white feathers which symbolize cowardice. To redeem his honor he disguises himself as an Arab and secretly saves the lives of those who branded him a coward.
0
Struggling comic Lance Barton knows what it's like to die on stage. But when his life takes an unexpected turn - straight to heaven - Lance is sure there's been a mistake. Miraculously, he's right! An angel tells Lance he was taken prematurely but assures him he can be returned to Earth - in the aged body of a ruthless white billionaire. In this improbable reincarnation, Lance begins a hilarious quest to realize his showbiz dream...and, along the way, discovers the person he never imagined he could be. Chris Rock delivers a first-rate performance in this romantic comedy remake of HEAVEN CAN WAIT.
3
Things couldn't be better for Derek Charles. He's just received a big promotion at work, and has a wonderful marriage with his beautiful wife, Sharon. However, into this idyllic world steps Lisa, a temporary worker at Derek's office. Lisa begins to stalk Derek, jeopardizing all he holds dear.
5
After spending years in California, Amir returns to his homeland in Afghanistan to help his old friend Hassan, whose son is in trouble.
-1
Carmen's caught in a virtual reality game designed by the Kids' new nemesis, the Toymaker. It's up to Juni to save his sister, and ultimately the world.
-1
About existence from the perspective of 20 nameless black females. Each of the women portray one of the characters represented in the collection of twenty poems, revealing different issues that impact women in general and women of color in particular.
-1
Born in America and raised in an Indian ashram, Pitka returns to his native land to seek his fortune as a spiritualist and self-help expert. His skills are put to the test when he must get a brokenhearted hockey player's marriage back on track in time for the man to help his team win the Stanley Cup.
3
Matt Sullivan's last big relationship ended in disaster and ever since his heart's been aching and his commitment's been lacking. Then came Lent, that time of year when everybody gives something up. That's when Matt decides to go where no man's gone before and make a vow: No sex. Whatsoever. For 40 straight days. At first he has everything under control. That is until the woman of his dreams, Erica, walks into his life.
-2
After her much older husband forces a move to a suburban retirement community, Pippa Lee engages in a period of reflection and finds herself heading toward a quiet nervous breakdown.
-1
In this searing Southern drama, a mother and son reunite under desperate circumstances years after a family tragedy drove them far apart.
-2
16-year-old Lux was given up for adoption at birth but never adopted. When she is put back into the custody of her estranged-since-high-school birth parents, Cate and Baze, the three form an unlikely family.
-1
When a mysterious black slime oozes up from the plumbing to infiltrate a new conference center, it causes attendees at an environmental convention who come in contact with it to have horrific hallucinations and nightmarish visions of past tragedies. Environmentalist priest Father Douglas Middleton must team up with conference coordinator Khali Spence to stop the slime -- or die trying.
-8
A rock band bursts onto the scene and then their frontman disappears on the eve of a European tour.
0
A mythic motorcycle tale of father and son", this is the story of Manuel Galloway, also known as "the King of Cali", the president of a motorcycle club whose members are all African-American men, mostly white-collar workers who exchange their suits and ties at night and on weekends for leather outfits and motorcycle helmets.
0
Ace is an impressionable young man working for a dry cleaning business. His friend, drug dealer Mitch goes to prison. In an unrelated incident, he finds some cocaine in a pants pocket. Soon, Ace finds himself dealing cocaine for Lulu. Via lucky breaks and solid interpersonal skills, Ace moves to the top of the Harlem drug world. Of course, unfaithful employees and/or rivals conspire to bring about Ace's fall.
-2
Until now, Zak Gibbs' greatest challenge has been to find a way to buy a car. But when he discovers an odd wristwatch amidst his father's various inventions and slips it on -- something very strange happens. The world around him seems to come to a stop, everything and everybody frozen in time. Zak quickly learns how to manipulate the device and he and his quick-witted and beautiful new friend, Francesca, start to have some real fun.
-1
Catherine is a woman in her late twenties who is strongly devoted to her father, Robert, a brilliant and well-known mathematician whose grip on reality is beginning to slip away. As Robert descends into madness, Catherine begins to wonder if she may have inherited her father's mental illness along with his mathematical genius.
2
A biographical portrait of a pre-fame Jane Austen and her romance with a young Irishman.
0
Arnold and his friends must recover a stolen document in order to prevent the neighborhood from being bulldozed.
0
They're mini, they're mighty and they're built for math! When someone has a problem in Umi City, Milli, Geo, and Bot use their mighty math powers to help save the day!
1
Set in the 1970s, Tom Spader is an attorney who is determined to end what he has dubbed "the colored man's losing streak." When his winning of a high-profile case thrusts him into the limelight, he decides to moves his wife and their two kids out of their mixed lower-middle-class town and into the posh enclave of Greenwich, Connecticut.
1
Take off on a thrilling flight across America. This epic series offers rare glimpses of our nation's most treasured landmarks, all seen from breathtaking heights. From busy cityscapes to quiet landscapes, we capture the history and the pageantry of our amazing country, which is as diverse as the people who occupy it.
4
The movie encompasses several different elements-the perils of war, a touch of macabre, sadness and redemption.
-2
The story begins at the height of Gleason's career. He has it all: women, wealth, and extraordinary power. But he is haunted by memories of his childhood. Gleason spends his formative years entering amateur contests, performing in sleazy night spots. Along the way, he steals gags from the best comics in town and finds love with Genevieve, a dancer whom he marries. But Gleason isn't the ideal husband or even a responsible father as he abandons his family to answer the call of Hollywood. Brash, arrogant, and egotistical, he alienates his directors and the man who discovers him. When he ends up back in New York, Gleason gets one of those rare second chances in the new medium of television, creating some of its most unforgettable characters. But even as Gleason becomes the talk of the tube, his life - ruled by demons of rage, booze, and insecurity - unravels.
-3
In need of a grubstake, a young man convinces a couple of friends to help him kidnap Frank Sinatra Jr. It's a true story
0
Cabbie-turned-chauffeur Jimmy Tong learns there is really only one rule when you work for playboy millionaire Clark Devlin : Never touch Devlin's prized tuxedo. But when Devlin is temporarily put out of commission in an explosive accident, Jimmy puts on the tux and soon discovers that this extraordinary suit may be more black belt than black tie. Paired with a partner as inexperienced as he is, Jimmy becomes an unwitting secret agent.
0
The Troop is an American-Canadian live-action, single camera comedy-adventure television series about a trio of teenagers who fight and capture monsters and other supernatural phenomena that invade the fictional town of Lakewood. Created and executive produced by Max Burnett, Greg Coolidge and Chris Morgan, the series premiered on Nickelodeon on September 18, 2009.

The second season premiered on June 25, 2011 and Nickelodeon cancelled the series midway through its second season. The remaining episodes of season 2 were aired on Nicktoons with the series finale airing on May 8, 2013.
-2
After witnessing a horrific and traumatic event, Julia Lund, a graduate student in psychology, gradually comes to the realization that everything which scared her as a child could be real. And what's worse, it might be coming back to get her..
-4
A documentary on Al Gore's campaign to make the issue of global warming a recognized problem worldwide.
-2
TV child star of the '70s, Dickie Roberts is now 35 and parking cars. Craving to regain the spotlight, he auditions for a role of a normal guy, but the director quickly sees he is anything but normal. Desperate to win the part, Dickie hires a family to help him replay his childhood and assume the identity of an average, everyday kid.
0
Margot Zeller is a short story writer with a sharp wit and an even sharper tongue. On the eve of her estranged sister Pauline's wedding to unemployed musician/artist/depressive Malcolm at the family seaside home, Margot shows up unexpectedly to rekindle the sisterly bond and offer her own brand of support. What ensues is a nakedly honest and subversively funny look at family dynamics.
0
An ex-con returns to his rural Ontario roots and outwits a corrupt and wealthy thoroughbred owner trying to take over a slew of local farms. Ray Dokes, a charming ex-ballplayer, returns from jail to discover the rural landscape of his childhood transformed by urban development. Determined to stay out of trouble, Ray heads to the farm of his old friend Pete Culpepper, a crusty Texas cowboy who trains losing racehorses and whose debts are growing faster than his corn.
-1
When a mafia accountant is taken hostage on his beat, a police officer – wracked by guilt from a prior stint as a negotiator – must negotiate the standoff, even as his own family is held captive by the mob.
-2
Darrin Hill, a slick-talking but down-on- his-luck NYC advertising exec, returns to his hometown in Georgia to claim the inheritance his aunt left him. But before Darrin can collect the money, he must fulfill his aunt's final wish -- to create a local choir.
0
A recent widow invites her husband's troubled best friend to live with her and her two children. As he gradually turns his life around, he helps the family cope and confront their loss.
-2
WordWorld is an Emmy Award-winning children's television series partially funded by the United States Department of Education as part of the Ready to Learn literacy initiative targeted to 3- to 7-year olds. The show airs in 10 languages and 90 countries, including in the United States. The television series, created by Don Moody and Jacqueline Moody, stars Dog and his WordFriends. In each episode, Dog and/or one of his friends embarks on a series of adventures where the only way to save the day is to build or un-build words. The show's novelty is that when a word is built correctly, it morphs into the thing it represents, which gives instant meaning to the word. WordWorld has been translated into popular mobile applications, Internet-based games, magnetic plush and other toys.

WordWorld currently airs in 90 countries and 10 languages. It premiered September 3, 2007 on PBS Kids and is currently in its third season, with 84 11-minute episodes. WordWorld currently broadcasts on PBS Kids it is produced for WTTW Chicago.
3
Stoic and heartbroken, Einar Gilkyson quietly lives in the rugged Wyoming ranchlands alongside his only trusted friend, Mitch Bradley. One day, the woman he blames for the death of his only son arrives at his door broke, desperate and with a granddaughter he's never known. But even as buried anger and accusations resurface, the way is opened for unexpected connection, adventure and forgiveness.
-6
After the rise of the Taliban in Afghanistan and the restriction of women in public life, a pre-teen girl is forced to masquerade as a boy in order to find work to support her mother and grandmother.
1
In 1931, three Aboriginal girls escape after being plucked from their homes to be trained as domestic staff, and set off on a trek across the Outback.
0
Barnaby and Maxine Pierce, an embattled married couple in Connecticut, are on the verge of divorce. Their son is getting married in California and they decide to drive across the country to attend. Along the way, as they visit family and friends, they reflect on their tattered relationship and the events that transpired to create the estrangement.
-2
When the farmer's away, all the animals play, and sing, and dance. Eventually, though, someone has to step in and run things, a responsibility that ends up going to Otis, a carefree cow.
1
Ollie Trinke is a young, suave music publicist who seems to have it all, with a new wife and a baby on the way. But life deals him a bum hand when he's suddenly faced with single fatherhood, a defunct career and having to move in with his father. To bounce back, it takes a new love and the courage instilled in him by his daughter.
1
Ten years after the Civil War has ended, the Governor of Texas asks Leander McNelly to form a company of Rangers to help uphold the law along the Mexican border. With a few veterans of the war, most of the recruits are young men who have little or no experience with guns or policing crime.
0
Best buddies Acerola and Laranjinha, about to turn 18, discover things about their missing fathers' pasts which will shatter their solid friendship, in the middle of a war between rival drug gangs from Rio's favelas.
0
A hotel cabana boy falls for the wife of a powerful politico. But when she confesses to the affair, her husband determines to end it forever.
0
Liu Xing a brilliant Chinese student, arrives at University and makes the transition into American life with the help of Joanna Silver. Xing joins a cosmology group working to create a model of the origins of the universe. He is obsessed with the study of dark matter and a theory that conflicts with the group's model. When he begins to make breakthroughs of his own, he encounters obstructions.
-1
What do farm animals really do when the humans aren't looking? Just ask Otis, a carefree "party cow" who inherited the job of keeping the barn... and it's residents... in order. But instead of responsibility, Otis is driven by an insatiable need for fun, fun, fun. Along with his barnyard friends Pip, Pig and Freddy, Otis will stop at nothing in his pursuit of a good time... which usually means a few close calls with humans and other threats to what really goes on behind closed barndoors.
2
A financial executive who can't stop his career downspiral is invited into his daughter's imaginary world, where solutions to his problems await.
-2
From his hospital bed, a writer suffering from a skin disease hallucinates musical numbers and paranoid plots.
-3
When a team of backpackers sets out to explore the Indian jungles, one of them is bitten by a poisonous spider and killed.
-2
Their town always had two proms, one for the whites and one for the blacks. When both proms wanted the same DJ, Brianna McCallister suggested combining the proms, which would also mean more money for decorations. However, her idea shook the town up, especially after a white student was let off for the same offense that a black student was suspended for. Can the town overcome racial tensions and finally combine the two proms?
-1
Blue's Room is a children's puppet show television series which is aimed at preschoolers, aged 2–6, and it is a spin-off series of the popular Blue's Clues series. It originally started as a short segment that came near the end of the original Blue's Clues show, originally cast off as Blue's personal imaginary world once Joe took over the show after his brother Steve "went to college". Later on, when Joe also decided to leave the show Blue's Clues, the short segment became a show itself, with Joe appearing in some episodes.

What distinguishes Blue's Room from Blue's Clues is that Blue herself transforms from an animated blue puppy into an English-speaking puppet that directly interacts with the child with open ended questions or asks if a presented idea or solution is correct. The Season One episode "Meet Blue's Baby Brother" is a turnaround episode for this series, bringing most of the concepts of Blue's Clues into the new series and getting additional interest in the series.
-1
The Buried Life is a reality documentary series on MTV. The series features Duncan Penn, Jonnie Penn, Ben Nemtin, and Dave Lingwood attempting to complete a list of "100 things to do before you die." The pilot episode aired on January 18, 2010, and the show was renewed for a second season in 2010. On Oct 25, 2011, The Buried Life announced they wouldn't be doing any more episodes of the show. However, the show's creators claim they are working on a "new and improved" show for the network based on the premise of the original series. Penn, Lingwood, Penn and Nemtin released their first book as The Buried Life, "What Do You Want to Do Before You Die?" on March 27, 2012. On the week of its release the book climbed to #1 on the NYT Best Sellers List.
1
Go, Diego, Go! is a children's television series created by Chris Gifferd and Valerie Walsh, and is a spin-off of Dora the Explorer. The show premiered on September 6, 2005 and ended on September 16, 2011 on Nickelodeon. It also aired as part of the Nick Jr. on CBS block from September 17, 2005 to September 9, 2006. On December 20, 2006, Nick Jr. announced that it had ordered twenty new episodes that were in production. Since April 2008, the show has been dubbed into Spanish and airs in the United States on Univision as part of their Planeta U block.
0
A large man-eating crocodile terrorizes tourists and locals near Krabi, in Thailand. Michael Madsen plays a hunter stalking the immense reptile, while sub-plots include a rivalry between a foreigner, who owns a crocodile-farm, and a Thai man who plays a part in framing the foreigner for the crocodile's rampage.
-1
Ellie Carter is recently graduated and has it all. While celebrating with friend and boyfriend, she comes across a milk carton with a picture of a missing child that looks a lot like her. As a prank, they call the toll free number and she realizes that this person could be her. The more she finds out, the closer she gets to getting herself and beloved ones killed.
1
My Life as a Teenage Robot is an American animated science fantasy television series, created by Rob Renzetti for Nickelodeon. It was Nickelodeon's first animated science fiction fairy tale. The series follows the adventures of XJ-9, better known as Jenny Wakeman, a robot girl designed to protect Earth, who is excessively addicted to teen-related activities, which are almost always interrupted by Nora Wakeman, her creator and mother.
-1
When a young couple buys their dream home, they have no idea what the sweet little old lady upstairs is going to put them through!
1
Based on Mariane Pearl's account of the terrifying and unforgettable story of her husband, Wall Street Journal reporter Danny Pearl's life and death.
0
A 15-year-old fashionista lands the opportunity of a lifetime when the CEO of Mad Style hires her as the vice president of its youth apparel division.
-2
In a future world, young people are increasingly becoming addicted to an illegal (and potentially deadly) battle simulation game called Avalon. When Ash, a star player, hears of rumors that a more advanced level of the game exists somewhere, she gives up her loner ways and joins a gang of explorers. Even if she finds the gateway to the next level, will she ever be able to come back to reality?
-4
Meet two funny bunny siblings, the energetic and mischievous Max, and the patient, smart and goal-oriented Ruby. The show models empowering messages by showing Max and Ruby playing together and resolving their differences respectfully and supportively.
2
Wonder Pets! is an American animated children's television series. It debuted on March 3, 2006, on the Nick Jr. block of the Nickelodeon cable television network and Noggin on the same day. It won an Emmy Award in 2008 for Outstanding Achievement in Music Direction and Composition in the United States.
5
A lovelorn paramedic rescues a woman left for dead after a deadly assault. When she refuses to go to the hospital, he takes her in, nurses her back to health and soon falls in love with her. Before long the mysterious woman suffers withdrawal symptoms, leaving the paramedic to believe his newfound love is a drug addict. Coming home to find a blood-drained corpse on his floor, he learns she does indeed have an addiction problem but it's not to drugs...
-9
Fourteen-year-old Watts Davies is estranged from his dad, a former International Karting Federation (IKF) champion. Watts's resolve to race in the upcoming IKF Regional Championships rekindles their relationship as they pursue the dream together.
0
Russian political elite hires American consultants to help with President Yeltsin's re-election campaign when his approval rating is down to single digits.
2
A teenage girl, trying to come to terms with the death of her mother in a horse-riding accident, nurtures the foal of her mother's horse.
-1
A mild-mannered bank executive (Aaron Eckhart) mentors a teenage con artist and tries to make a career change as a doughnut merchant.
0
The film follows the marital and dating lives of three men and three women who unknowingly form a tangled web of relationships. Interspersing "man on the street" interviews with scenes from the six characters' lives, the film weaves a humorous and biting commentary on the game of love -- easy to start, hard to finish.
0
Eleven-year-old New York City public school kids journey into the world of ballroom dancing and reveal pieces of themselves and their world along the way. Told from their candid, sometimes hilarious perspectives, these kids are transformed, from reluctant participants to determined competitors, from typical urban kids to "ladies and gentlemen," on their way to try to compete in the final citywide.
0
Working-class father John Crowley is finally on the fast track to corporate success when his two young children are diagnosed with Pompe disease—a condition that prevents the body from breaking down sugar. With the support of his wife, John ditches his career and teams with unconventional specialist, Dr. Robert Stonehill to found a bio-tech company and develop a cure in time to save the lives of his children. As Dr. Stonehill works tirelessly to prove the theories that made him the black sheep of the medical community, a powerful bond is forged between the two unlikely allies.
3
Jason Gedrick and Eric Roberts lead the cast of this thriller about a submarine captain who attempts to hold Washington, D.C. hostage for a billion dollars, and the heroic doctor who struggles to thwart the plan before the situation escalates.
-1
The story of a blue octopus and his dog that looks like a hotdog, named Weenie, and their friends like Daisy the daisy, and Henry the penguin. They go on adventures in their town that usually involve a problem that needs to be solved.
1
Tak and the Power of Juju is an all CGI-based animated series that premiered on Nickelodeon on August 31, 2007 and on Nicktoons on September 1, 2007. It has been showing on Nicktoons in the United Kingdom since 5 July 2008. Based on the video game of the same name, the show consists of two eleven minute stories per half hour episode. It is Nickelodeon's first all-CGI series and the company's 30th Nicktoons. The series was produced by Nick Jennings and directed, among others, by Mark Risley, Jim Schumann, and Heiko Drengenberg. The show struggled to gain an audience, received many negative reviews and ended up being cancelled in November 2008 after only 26 episodes.
-1
John Oliver's New York Stand-Up Show is a stand-up comedy television series that currently airs on Comedy Central in the United States. Hosted by British comedian John Oliver, who is best known for his work on The Daily Show, the show features new material by both up-and-coming and established comedians. Each episode features four performers, including the headliner but not Oliver.
2
Fanboy & Chum Chum is an American CGI animated television series created by Eric Robles for Nickelodeon. It is based on Fanboy, an animated short created by Robles for Nickelodeon and Frederator Studios, which was broadcast August 14, 2008 on Random! Cartoons.

The series premiere drew 5.8 million viewers. The second episode was watched by 5.4 million viewers.

The theme song was written by Brad Joseph Breeck and performed by experimental punk band The Mae Shi.

No third season was announced at Nickelodeon's upfront for the 2013-2014 season.
-1
Two strangers become dangerously close after witnessing a deadly accident.  On a beautiful cloudless day a young couple celebrate their reunion with a picnic.  Joe has planned a postcard-perfect afternoon in the English countryside with his partner, Claire.  But as Joe and Claire prepare to open a bottle of champagne, their idyll comes to an abrupt end.  A hot air balloon drifts into the field, obviously in trouble.  The pilot catches his leg in the anchor rope, while the only passenger, a boy, is too scared to jump down.  Joe and three other men rush to secure the basket.  But fate has other ideas...
-1
A group of friends embark on a camping trip for a ten-year high school reunion. Their celebration soon turns into a battle for survival when they realize that the locals, who are not what they seem, are hunting them down.
2
Denise Richards plays Lauren, a divorced wedding-planner who falls for the groom-to-be (Dean Cain).
-1
An aging actress' husband dies of a heart attack en route to Rome, where they'd planned to holiday. There, she rents an apartment and, through the Contessa, she meets a young man, with whom she begins an affair.
-1
Mel, a photo journalist, gets suspicious when her best friend Danny start dating Olivia a wealthy but mysterious woman. She enlists the help of her assistant in investigating Olivia's past and present occupation putting herself in danger.
-1
In 1998, three white men in the small town of Jasper, Texas, chained a black man to the back of their pickup truck and dragged him to his death. This film relates that story and how it affected all of the residents of the town, both black and white.
-2
The Mighty B! is an American animated television series co-created by Amy Poehler, Cynthia True and Erik Wiese for Nickelodeon. The series centers on Bessie Higgenbottom, an ambitious Honeybee girl scout who believes she will become The Mighty B if she collects every Honeybee badge. Bessie lives in San Francisco with her single mother Hilary, brother Ben and dog Happy. Poehler provides the voice of Bessie, who is loosely based on a character Poehler played on the improvisational comedy troupes Second City and Upright Citizens Brigade.
4
George of the Jungle is a Canadian television series. It is the remake of the 1967 animated series of the same name, using Adobe Flash animation. It is produced in Canada, and more recently in the USA on Cartoon Network, premiering with the Christmas special. In Latin America, it is airing on Disney Channel. The remake mostly stays true to the original production, with a few key differences existing between the two. One episode of the show typically consists of two 11-minute episodes. This is unlike the original cartoon, which featured other stories such as Tom Slick and Super Chicken. The show's first season ran from June 29, 2007 to January 11, 2008, with a second season to air in 2014.
2
Bob and his friends have their work cut out to prepare for the town's annual Christmas concert
1
Based on the true story of the kidnapping of teenager Elizabeth Smart,in June 2002, by two people, in Salt Lake City, Utah, USA.
1
During the run of a particularly awful interpretation of Richard III, the star, Anthony O'Malley, begins to frequent a rough pub to develop his character. He meets Barreller who he discovers owes someone he's never met a considerable sum of money. Seeing an opportunity to make some fast money, O'Malley convinces hapless extra, Tom, to meet Barreller as the debt collector.
-3
The Fresh Beat Band is a children's TV show with original pop songs produced for Nick Jr. The Fresh Beats are Shout, Twist, Marina, and Kiki, described as four best friends in a band who go to music school together and love to sing and dance. The show was filmed at Paramount Studios in Los Angeles, California.

All episodes follow the same basic structure:

⁕Each episode begins with a song that foreshadows a problem that the band will solve.

⁕The band works together to solve the problem.

⁕When the problem is solved they perform a song with the problem and solution incorporated into the lyrics.

⁕Each episode concludes with a version of The Fresh Beat Band's closing song, "Great Day".

⁕The main characters dance to choreography by Mandy Moore; Sean Cheesman; Chuck Maldonado; Scotty Nguyen; Dreya Weber; Mary Ann Kellogg; Nakul Mahajan; Mihran Kirakosian; Susan Austin and Fred Tallaksen.
3
Rebecca Korda and her two brothers, Sam and Max, are left alone on opening night of their family-owned restaurant.
0
A shy bank clerk orders a Russian mail order bride, and finds his life turned upside down.
0
Ni Hao, Kai-Lan is an American children's television show, which premiered on Nickelodeon on November 5, 2007, and on Noggin on December 15, 2008. It also premiered on the Canadian Television Channel Treehouse TV Since March 2009 the show has also aired on Nickelodeon in Israel.

Ni Hao, Kai-lan is based on the childhood memories of the show's creator Karen Chau growing up in a bicultural household. “Ni hao” means “Hello” in Mandarin, and Kai-Lan is the Chinese name Chau was given at birth, which was later anglicized to Karen.
0
A group of thirtysomethings having problems with fidelity gets an opportunity to turn back the clock.
0
A crew of people come up with new things to do every week. One day, they may work on a business franchise. Another day, they might go and make someone ride a bull, or shoot burritos at people.
1
A comic, biting and revelatory documentary following a small group of prankster activists as they gain worldwide notoriety for impersonating the World Trade Organization (WTO) on television and at business conferences around the world.
-1
This is the true story of a little dog that refused to leave his master's graveside in Edinburgh. The dog visited the grave for years.
0
Digging at a nearby cave, a careless industrialist unearths a vein of pure base Lithium and inadvertently brings it to the surface, where the Lithium combusts when coming into contact with water and begins to wreak havoc on the country side.
-3
A group of surfers arrives in a remote spot off the Australian coast, and the isolation and pressure push one person over the edge, leading to a violent outburst and a fight for survival.
-1
Audience members dress up in outlandish costumes to get host Wayne Brady's attention in an attempt to make deals for trips, prizes, cars or cash, while trying to avoid the dreaded Zonks.
1
Nick Cannon and an A-list celebrity lead a team of improv comedians as they compete against each other.
1
In the fictional city of Petropolis dog Dudley Puppy works as a spy for the organization T.U.F.F. (Turbo Undercover Fighting Force). Together with his partner, a cat named Kitty Katswell, Dudley works to protect Petropolis.
2
Welcome to Berry Bitty City, a berry special little world under the leaves of a berry patch. It may be small, but Berry Bitty City is big on fun and adventure. It's where Strawberry Shortcake and all her friends live. Together, they prove that little girls can do berry big things. There's always something fun to do, and when someone needs help, her friends are always there to lend a hand.
3
Venturing into the woods causes nothing but trouble and hilarity for three misguided males in this straight to video spin-off of 2004's "Without A Paddle".
-2
A young detective goes undercover at an elite private school to destroy an international stolen car ring.
-1
A young woman escapes her wildly eccentric family in search for a life of normalcy.
-2
When a dismembered body is found in the Appalachian Mountains, a county Sheriff is shocked to discover that the predator is a six-hundred pound Bengal tiger.
-1
A woman becomes very curious about one of her psychiatrist husband's inmates, a man who was found guilty in the murder and disfigurement of his former wife.
-2
On the inside, there are no rules. See what happens when Prison Officials Profit from Illegal fights.
-2
Jimmy Neutron's goofy pal, Sheen Estevez accidentally gets himself sent to another planet, millions of light-years from Earth.
-1
This menacing monster yarn stars James Van Der Beek as government scientist Dan Leland, who's sent to investigate reported sightings of a giant squidlike beast that's put the entire population of a fishing village on edge. Though Leland starts his journey confident that this sea creature with an insatiable appetite is the stuff of old legends, a string of horrific occurrences soon begins to change his mind.
-3
After accidentally killing a bear cub while celebrating graduation in the woods, four teens become the target of a seemingly unstoppable Grizzly.
-1
Succumbing to the stresses of her personal and professional lives, Sylvia, a Seattle morning show weather forecaster, has a meltdown live on-air. Now, unemployed, lacking career prospects, and with a mess of a romantic life, she moves in with her little brother. She must learn how to cope with being 35-years-old and unfortunately famous for melting down on live television.
-4
A sudden storm leaves Berry Bitty City with a gigantic problem. Strawberry Shortcake and her friends will have to move their whole tiny town unless they find a way to safely remove a huge boulder that threatens everything they hold dear.
0
For as long as she can remember, 16 year-old Gracie has been raising her four siblings, each of whom has a different, absent father and their mother is on the fast track to self-destruction. When these children's lives are about to be pulled apart, Gracie will have to do the impossible and make the ultimate sacrifices to keep her family together.
0
Denise Crosby takes another look at the huge fans of "Star Trek" and how the series from around the world has affected and shaped their lives.
0
In their new home of Fixham Harbour, Bob and the team set to work tackling exciting new building jobs, and making new friends. But when Spud and Scrambler learn of an amazing treasure, the pirate Brickbeard's Golden Hammer, hidden somewhere in Fixham they decide that building can wait, and they must find the hammer to give to Bob. Help them follow the clues and find the Golden Hammer in this all-new special !
6
Gadget is still a klutz and Dr. Claw has a vicious new plan that makes him a super-hero in disguise to try to ruin Gadget and to take over the world, but as usual Gadget in his zany ways wins.
-1
It's an experiment in human behavior. It's an exploration of the most natural of animal impulses. It's something new under the moon. And it bites. When security dispatcher Aaron Scates is blinded in an explosion, he's put in the care of Dr. Andrea Hewlitt, famous in her field for spearheading extraordinary-though controversial-medical breakthroughs. Her newest is cross-species organ transplants, and Aaron is her first human subject. When a severely wounded wolf is brought to Dr. Hewlitt's office by museum curator Lydia Armstrong, Dr. Hewlitt leaps on the opportunity and successfully transplants the wolf's eyes to Aaron-despite Lydia's objections. Aaron, however, is thrilled. Not only can he see again, he can see in the dark. He also has an unusually acute sense of hearing, and tears into a raw steak like never before. Unfortunately, he also tends growl, and to target people as prey.
0
An Iraqi war vet returns home to find that his brother is in a coma from participating in an illegal underground fight club.
-1
Mary is a horror-movie junkie whose obsession is out of control, leading her over-protective father to ban her from seeing scary flicks. But when she and her friends sneak out to see a film called The Wisher, its creepy antagonist seems to escape into her life and make her darkest desires come true.
-2
Pamela Anderson was roasted by Courtney Love, Adam Carolla, Bea Arthur, Nick DiPaolo, Greg Giraldo, Elon Gold, Eddie Griffin, Lady Bunny, Lisa Lampanelli, Tommy Lee, Jeff Ross, Sarah Silverman, Andy Dick, roastmaster Jimmy Kimmel and pre-taped appearances by David Spade and Hugh Hefner. Dennis Rodman was amongst the crowd on the stage. This roast featured a large amount of jokes and satire regarding sex directed from roasters toward fellow roasters, complete with Andy Dick appearing as Pamela's plastic surgeon and groping her breasts as part of his skit. Many of the jokes were also directed at Courtney Love for appearing to be inebriated (but claiming to have been sober for a year), Bea Arthur's masculinity, Andy Dick's ambiguous sexuality and Lisa Lampanelli's full figured body as well as her attraction towards black people.  One of the audience members was Anna Nicole Smith.
-3
Tony and Tina are excited to get married but they dread having the ceremony. Tina's mother and Tony's father used to be an item and neither parent has gotten over their bitter breakup. As everyone comes together to help plan the event, the parents cannot stop bickering and they are constantly at each other's throat. Adding to their woes are an eccentric photographer, a stubborn priest, unhappy bridesmaids and hung over groomsmen.
-8
Bob the Builder and his friends are back with a charming musical special. This time, Bob and his friends head out to the wild west and are hot on the trail of a secret treasure, though they are always able to take time out for a song or two.
2
It's Flavor Flav's turn to step in to the celebrity hot seat for the latest installment of The Comedy Central Roast.
1
Time to hassle the Hoff at the rudest, raunchiest television event of the year--The Comedy Central Roast of David Hasselhoff. From running in slo-mo on the beach to inspiring Germany with the power of cheesy pop--it's almost too easy.
0
A young woman named Katherine Alden becomes the unwanted victim of her new handsome next door neighbor Caleb, after her and her husband and son moves to a new town for a fresh start from a robbery.
1
The intertwining lives of three men reveal that each deal with his problems in different, self-destructive ways
-2
It's William Shatner's turn to step in to the celebrity hot seat for the latest installment of The Comedy Central Roast. A parade of Shatner's friends have gotten together to boldly go ...
1
Aunt Moo, a kindly old cow, and her Children (The Rugrats) are given a bag of magical beans by a mysterious stranger. This stranger (Susie) turns out to be a magic fairy, and the beans they threw out the window grow into a gigantic beanstalk.
0
From acclaimed director, Chris Eyre, whom People Magazine calls "…the preeminent Native American filmmaker of his time" comes this touching and inspirational story about loyalty, friendship and courage. New man in town Kenny Williams (James McDaniel) has just accepted a position as an English professor at the Three Nations Reservation in Utah. Finding it hard to fit in with the tight-knit Native American community, he decides to take on the challenge of coaching the high school girls' basketball team.
4
Follow the Prophet is an American film that was written by and stars Robert Chimento, which was created to show how polygamist lifestyles affect the children involved. In the film, a young girl escaping from a polygamist cult is aided by an Army Colonel and a renegade female Sheriff who join forces to save an even younger girl from a secret "marriage" to the cult's leader.
0
What is meant to be a weekend party across the border soon becomes a heartbreaking journey that tests the boundaries of companionship, romantic love and personal ethics.
1
Hosted by actor Tom Cavanagh, Stories from the Vaults is a series of 30-minute shows featuring a behind-the-scenes look at the Smithsonian Institution, the world's largest museum complex. The new series, produced by Caragol Wells Productions, showcases the Smithsonian's rarest treasures as Tom Cavanagh meets with the experts behind the Smithsonian and discusses what it takes to preserve these precious artifacts for the generations to come. Stories from the Vaults debuted September 2007 on Smithsonian Networks. The second season premiered Sunday July 12th, 2009.
2
Paul and Georgia are lovers, soul mates...and partners in crime. But when this duplicitous duo tries to dupe the wrong man, they are ensnared in a world more dangerous than they could ever have imagined. Seduced into working for him on dangerous jobs beyond their small-time capability, Paul and Georgia suddenly have everything they've ever wanted...and even more to lose.
-4
A unique talent, Demetri Martin is one of the hottest stand-up comics working today. His new special, Demetri Martin. Person. Inventive and insightful, this top-rated program brings the funny in ways you've never seen.
3
A manipulative mother increases her plotting to stay in control.
-1
The City is an American reality television series that originally aired on MTV from December 29, 2008 until July 13, 2010. Developed as the spin-off of The Hills, the series aired two seasons and focused on the personal and professional lives of several young women residing in New York City, New York.  The series originally focused on Whitney Port, who appeared in its predecessor, as she began employment with Diane von Fürstenberg. It additionally placed emphasis on her workplace rival Olivia Palermo, Port's boyfriend Jay Lyon, his roommate Adam Senn, and her friend Erin Lucas. The latter three were replaced by Port's roommate Roxy Olin and Palermo's enemy Erin Kaplan for the second half of the first season.
-2
A film featuring the veteran soul music artists and music of Stax Records.
0
Nick started stand up at the age of 18. In his first year of stand up he was chosen to perform at the U.S. Comedy Arts festival. In 2000, he hit a milestone in his career when he taped his Comedy Central half-hour special at the age of 22 (the youngest to do so). More recently, Nick wrote and starred in the Happy Madison-produced films Grandma's Boy and Benchwarmers.
1
After the shocking and untimely death of her husband, Shelley Stratton (Catherine Hicks) moves her daughter Alexis (Emily Hurst) and her adopted daughter, Laurie (Alexz Johnson), to their remote summer house in hopes of giving her family a fresh start. As Laurie begins to settle in and put her life back together, she gets the eerie feeling that she is constantly being watched. Laurie's uneasiness grows when people start claiming to see her in places that she has never been. The family's delicate state begins to unravel when Laurie unearths the dark past, discovering a twin sister that she never knew she had. Laurie is forced to delve deeper into her twin's secrets, for as it turns out her twin has been locked up for years! Laurie must now understand their strange connection in order to prevent her sister from taking over her life and harming her loved ones. Based on the book by author Lois Duncan
-4
The Upside Down Show, was a Logie Award winning show featuring Shane Dundas and David Collins that airs on Noggin, Nick Jr. Australia and ABC Australia. On the show they play brothers who live together in a strange house with a variety of unusual rooms. The show premiered on Nick Jr. Australia in August 2006 and on Noggin US on 16 October 2006, with 13 episodes developed by the highly acclaimed Sesame Workshop. The Sesame Workshop logo used on this show can only be seen on Noggin.

Initial views of The Upside Down Show were disappointing, as it failed to match the views of Play With Me Sesame and Caillou during the 2006-2007 season. The show's début was criticized as being similar to Ernie and Bert.

On 27 December 2006, in a New York Post interview, Shane Dundas expressed doubts about the return of the show for a second season.

On 1 June 2007, the Umbilical Brothers announced on their website that Nickelodeon/Noggin USA were not interested in a third season of The Upside Down Show, despite its success. In 2007, the show won the Creative Craft Daytime Emmy Award for Main Title Design and a Parents' Choice Award Silver Honor for Television.
4
The Three Amigos brings you all the hilarious and outrageous comedy from a red-hot trio of Latino headliners on their sold-out national tour! With the biting social commentary of Carlos Mencia, the off-the-wall sound effects of Pablo Francisco, and the hysterical family humor of Freddy Soto, it's all-out stand-up hilarity like you've never seen before!
0
Jo Koy details life with his Filipino mom, the advantages of dancing like Michael Jackson and the strangeness of touring the South as an Asian American.
2
A trio of brainboxes create a cell phone chip that allows telepathic communication. But when the experiment goes wrong and power falls into the wrong hands, the results are terrifying.
-3
Live coverage of British rock band Oasis performing at the Barrowlands Ballroom in Glasgow, Scotland, as part of their 2001 10 Years of Noise & Confusion anniversary tour.
-1
Inspired by a true story, this drama is set in 1965, not long after passage of the Civil Rights Act. Despite the Act, the African-American citizens of Bogalusa are still treated like third-class citizens, their fundamental rights as human beings persistently trampled by the white power structure, in general, and the local branch of the KKK. The story follows the formation of local black men, particularly ex-war veterans who after the struggles become too overbearing organizes the group, "Deacons for defense", an all-black defense group dedicated to patrolling the black section of town and protecting its residents from the more violent aspects of "white backlash."
1
Wanda Sykes talks relationships, politics and strip clubs in her second stand-up special.
0
A black president. Gays in the military. Women who like jerks. Carlos Mencia has something to say about it all in his new stand-up special, Performance Enhanced, held in front of a packed house at a Hard Rock Hotel theatre in Florida. Watch as he talks about his trip to Iraq, his real feelings on the N-word, and just about everything else that pops into his head. With his trademark frenzied performance style, you have our word that this is 100% Carlos---just slightly enhanced for your entertainment.
0
In this feature Brand details the difficulty of handling his newfound fame in America, recounts the time he meet the Queen and instructs women on how to approach him.
0
Meet Carlos Mencia. He has quite a few opinions... on just about everything. In this extended and uncensored comedy performance, Carlos' take on race relations, immigration, religion, and the mentally challenged will either have you wincing or laughing. Either way, he doesn't really care because if you ain't laughing, you ain't living.
0
Part comedian, part madman magician The Amazing Johnathan brings his unique brand of comedy to DVD in The Amazing Johnathan: Wrong On Every Level – Uncensored. This all-new Comedy Central special showcases "The Madman of Comedy" at his best, hilariously skewering one magic trick after another with unexpected and sometimes gory results.
-1
Mac and his high school gangster buddies try to take over the world of sports betting in a city filled with crime, prostitution and gambling. When the Mafia gets involved, they do whatever it takes to keep these tough young-bloods off their turf.
-1
Christopher Titus is one of the most intense comics alive. Just hearing him perform stand up gets you pumped and ready to give the whole world the middle finger, and The Fifth Anniversary End of The World Tour is no exception. Titus again delivers on the angry, intelligent humor that makes him one of the best comedians to listen to.
2
Join Bob and his Can-Do Crew as they explore real life construction sites. See diggers, mixers and trucks work together to build roads and bridges. From the first foundations and at every step along the way, Bob the Builder™ and some fun new friends show you the exciting world of big machines.
3
Bob Mixes Real-Life Construction Action With Animated Fun To Show You How To Build The Perfect House And Playground!Get ready to rev-up and get dirty as Bob's world meets the real world! With footage from real-life construction sites you'll see giant diggers, trucks and mixers work together to build your dream house. From demolition to finishing touches, you'll learn everything you need to know to get the job done and have some fun! Top it off with building your fantasy playground while you are On Site with Bob!
5
Madeline attempts to stop the theft of the Mona Lisa in the Louvre, but no one believes her; so, she is sent to a manners school in London. But now the thieves are also in London, and they will try to rob the Crown Jewels! Would Madeline be able to stop them?
0
Romantic comedy. A small town teenager's angst about sexual inexperience drives a comic quest for love and understanding on a birthday to end all birthdays.
1
Unlock the secrets of the most celebrated and prized gem in the world. Learn why the Hope Diamond has inspired superstition and passion since its discovery centuries ago, and see how its unique qualities and mythic past have categorized the jewel as both a scientific marvel and a historical enigma.
3
Four more episodes from the popular children's animated series. In 'Bob's Big Plan', Bob hears of a plan to build on Sunflower Valley, a beautiful place where he played as a youngster. After having a bad dream in which he imagines the valley as a noisy, smelly city, he realises he must comes up with a plan to save it. Also includes are three episodes from the latest series: 'Bob's Fresh Start', 'Lofty's Shelter' and 'Dizzy and the Talkie Talkie'.
0
When a Black Panther raid on the house of a dope dealer goes awry, an innocent young man is killed and the leader of the raid team, a Panther named Charles Henderson (Obba Babatunde), is sentenced to life in prison. Bestselling author Paul Freeman (Modine) offers a creative-writing class in Henderson's prison, initially looking for a story for his next book; but when Henderson becomes his student, Freeman starts to investigate Henderson's case and becomes convinced that, after 20 years, Henderson deserves to be released--but the next step is convincing the sister of the man whose death Henderson is responsible for.
-4
Bob and the gang reminisce about the old days when Bob first became a builder and how he got all his trusty machines and Wendy on his team.
1
The Harimaya Bridge is a drama about an American man who must travel to rural Japan to claim some important items belonging to his late son, from whom he was estranged. While there, he learns several secrets his son left behind.
0
Featuring professional musicians, historians and everyday players, this programme tells one of music's greatest stories: the invention and innovation of the electric guitar.
2
Explore some of the best-loved structures in the United States with this tour of D.C.'s monuments. The program goes behind the famous façades to tell the stories of how these structures came into existence and their importance to the country. It features everything from the Washington Monument and Arlington National Cemetery's eternal flame to war memorials and the monuments erected as tributes to America's founding fathers.
1
When an old castle needs repairs, it's time to call Bob the Builder! Unfortunately a case of mistaken identity puts Bob's father in charge, resulting in one disaster after another! Meanwhile, tales of Camelot inspire Bob's noble crew of machines - Sir Lift-A-Sot, Sir Roll-A-Lot and Lady Mix-A-Lot - in their quest to get the job done. And Sir Spud-A-Lot finds a suit of armor and a fiery steed almost perfect for jousting! Back at the castle, Bob's father is a bit of a royal pain, locking himself and Bob in the dungeon and then finding himself mysteriously trapped in a maze! Finally, a medieval pageant celebrates the grand opening of the castle and a great father-son relationship.
-1
We go behind the scenes and into the minds of artists as they  capture, commemorate, and, at times, condemn our presidents.
-1
In this eye-opening documentary about the inner workings of the White House, the most famous residence in America opens its doors for a behind-the-scenes tour and a meet-and-greet with the staff who keep it running in tip-top shape. Highlights include bird's-eye musings from White House workers who've seen it all and an interview with former President George H.W. Bush, who shares his memories about living in Washington, D.C.
1
Chronicles the first-ever, senior citizen hip-hop dance team for the New Jersey Nets Basketball team, 12 women and man - all dance team newbies, from auditions through to center court stardom.
0
When Sunflower Valley needs a new sports stadium, there's only one team for the job. It's Bob the Builder™ and his Can-Do Crew! Can Bob build it? With the help of his new friends, Gripper and Grabber - YES, HE CAN! Join Bob, Wendy, and the Can-Do Crew as they race to the finish line in their biggest construction job yet. See how teamwork and fun go hand-in-hand in this colossal building adventure.
1
The Benson Interruption was a stand-up comedy show on Comedy Central starring Doug Benson. The show was cancelled after one season. The concept of the show was that three stand-up comedians per episode perform their acts in front of an audience, with Benson sitting on a throne by the side of the stage. When the time to present a humorous punch-line approaches, Benson interrupted the comic with a comment with the intent of adding to the humor of the joke.

The first season aired on Fridays at midnight on Comedy Central.
0
Jack, in full puberty, not only has to deal with his parents' divorce, but also feels his world is falling apart when his dad tells him he is living with a man. He slowly comes to terms with his own feelings when the girl he has a crush on turn out to have a gay dad as well and his best friend's parents end up not having the perfect marriage Jack thought they had.
0
From the desk on which Jefferson wrote the Declaration of Independence to Dorothy's ruby slippers, the National Museum of American History houses many of America's greatest treasures and icons. Learn the stories of how they came to be a part of the museum's collection, and meet the people who have restored some of these treasures.
4
Bob the Builder: Scrambler to the Rescue is a video starring Richard Briers, Lachele Carl, and Rupert Degas. Scrambler and Zoomer put their differences aside to help save the big winter party when a sudden snow storm hits Sunflower Valley.
0
The Heart of the Game captures the passion and energy of a Seattle high school girls' basketball team as they strive to win the state championship, the eccentricity of their unorthodox coach, and the incredible true story of one player's fight to play the game she loves.
2
T.I.'s Road To Redemption is an American reality television show that premiered on February 10, 2009, on MTV. The show was produced by T.I., Michael Hirschorn, Stella Stolper and Chris Choun of Ish Entertainment. The series, focusing on the 45 days before rapper T.I.'s March sentencing, hoped to encourage teenagers to avoid spending a life of crime by showing seven teenagers that there is another way. In T.I.'s Road to Redemption, T.I. shares the mistakes he has madeand the lessons he learned. The show includes events in his personal life such as the birth of his sixth son and the release of his album, Paper Trail.

In 2007, T.I. was convicted of two felony gun charges. He served a sentence of one year and one day behind bars starting March 27, 2009. He was also sentenced to 1500 hours of community service. The series started filming in June 2008 continued until March 2009.

"We visited T.I. early in 2008 while he was under house arrest in Georgia and found a man utterly unlike his rap persona," Stella Stolper and Michael Hirschorn of Ish Entertainment said. "He felt that he was undergoing a karmic reckoning, a time when he would have to balance the scales of his life and integrate who he was with who he is. We've never seen someone so introspective, so smart about how who he was back in the slums of Atlanta is affecting who he is now."
1
Witness the story of four young men who stood up to racism and social injustice by taking a seat. This is the story of the Greensboro Four.
-2
A hilarious countdown of the black sheep of aviation, aircraft that have embarrassed their builders, enraged the owners and terrified their pilots. These are stories of aircraft that should have never been built, including highly imaginative concepts to “fly” tanks and jeeps directly onto the battlefield, a real flying saucer and starkly bizarre efforts to design and build a submarine that flies. We come to understand why these ideas were doomed from the start…
-3
Docudrama factual series that reveals the remarkable true stories behind some of the most gripping and important international spy operations of the last forty years.
2
Highly outspoken comic D.L. Hughley takes on race, politics, marriage, and the whole "Soul Plane" thing.
0
Meet the babies of the National Zoo -- the golden lion tamarin, the Sumatran tiger, the kori bustard, and the sloth bear -- cute, cuddly and born to be wild!
0
Polly and friends take an awesome jet trip to a tropical island that's totally hip. Will they ace their school project? Will their band rock the school? You'll just have to watch - it's totally cool.
2
In 1950, he led five hundred Marines through a blizzard to save eight thousand more from certain capture. But his greatest victory may have been changing the way our country regards Asian Americans. Meet Lt. Chew-Een Lee, whose patriotism and bravery ushered in a new era in the Marines...and in America. (Special thanks to the City and County of San Francisco)
5
Sidney returns home to Woodsboro on the last stop of her book tour, which brings about the return of Ghost Face and puts her family, friends, and the whole town in danger.
-1
With the help of a German bounty hunter, a freed slave sets out to rescue his wife from a brutal Mississippi plantation owner.
-1
Scott McCall, a high school student living in the town of Beacon Hills has his life drastically changed when he's bitten by a werewolf, becoming one himself. He must henceforth learn to balance his problematic new identity with his day-to-day teenage life. The following characters are instrumental to his struggle: Stiles, his best friend; Allison, his love interest who comes from a family of werewolf hunters; and Derek, a mysterious werewolf with a dark past. Throughout the series, he strives to keep his loved ones safe while maintaining normal relationships with them.
0
The misadventures of three recent college dropouts, roommates, and co-workers at a telemarketing company and their drug dealer.
-1
A struggling screenwriter inadvertently becomes entangled in the Los Angeles criminal underworld after his oddball friends kidnap a gangster's beloved Shih Tzu.
-2
Jon Taffer is the Gordon Ramsay of the bar and nightclub business. In each episode, Taffer helps transform a struggling bar into a vibrant, profitable business, utilizing his expertise as a nightlife consultant
0
Harrowing stories of tragedy and triumph are brought to life through official reports, transcripts and interviews with the pilots, air traffic controllers and lucky survivors of history's most terrifying crashes. Widely considered to be the safest form of travel, air transportation is still in its infancy and when midair calamity strikes, the results are often catastrophic. From the cockpit to the cabin, from the control room to the crash scene, we uncover just what went wrong.
-4
Ethan Hunt and his team are racing against time to track down a dangerous terrorist named Hendricks, who has gained access to Russian nuclear launch codes and is planning a strike on the United States. An attempt to stop him ends in an explosion causing severe destruction to the Kremlin and the IMF to be implicated in the bombing, forcing the President to disavow them. No longer being aided by the government, Ethan and his team chase Hendricks around the globe, although they might still be too late to stop a disaster.
-5
The story of an Indian boy named Pi, a zookeeper's son who finds himself in the company of a hyena, zebra, orangutan, and a Bengal tiger after a shipwreck sets them adrift in the Pacific Ocean.
-1
Commercial airline pilot Whip Whitaker has a problem with drugs and alcohol, though so far he's managed to complete his flights safely. His luck runs out when a disastrous mechanical malfunction sends his plane hurtling toward the ground. Whip pulls off a miraculous crash-landing that results in only six lives lost. Shaken to the core, Whip vows to get sober -- but when the crash investigation exposes his addiction, he finds himself in an even worse situation.
-3
Emma is a busy doctor who sets up a seemingly perfect arrangement when she offers her best friend Adam a relationship with one rule: No strings attached. But when a fling becomes a thing, can sex friends stay best friends?
3
An irreverent look at the conflict, chaos and humor that defines teenage life through the eyes of 15-year-old Jenna Hamilton whose life begins to change when a simple accident becomes an epic misunderstanding and is blown way out of proportion. Narration in the first-person voice of Jenna's blog posts captures the humor within the struggles and experiences everyone can relate to from their formative years.
-2
The most celebrated competitors from RuPaul's Drag Race vie for a second chance to enter Drag Race herstory. This drag queen showdown is filled with plenty of heated competition, lip-syncing for the legacy, and, of course, the All-Stars Snatch Game.
-3
Ren MacCormack is transplanted from Boston to the small southern town of Bomont where loud music and dancing are prohibited. Not one to bow to the status quo, Ren challenges the ban, revitalizing the town and falling in love with the minister’s troubled daughter Ariel in the process.
-2
Arthur Bishop is a 'mechanic' - an elite assassin with a strict code and unique talent for cleanly eliminating targets. It's a job that requires professional perfection and total detachment, and Bishop is the best in the business. But when he is ordered to take out his mentor and close friend Harry, Bishop is anything but detached.
3
Jenelle, Chelsea, Kailyn, and Leah are four young women navigating complicated lives. It's not always easy being a young mom.
0
In 1988, young sisters Katie and Kristi befriend an invisible entity who resides in their home.
-1
The Words follows young writer Rory Jansen who finally achieves long sought after literary success after publishing the next great American novel. There's only one catch - he didn't write it. As the past comes back to haunt him and his literary star continues to rise, Jansen is forced to confront the steep price that must be paid for stealing another man's work, and for placing ambition and success above life's most fundamental three words.
0
Strange things are happening at an English boarding school called House of Anubis. Popular student Joy goes missing, the school's cranky caretaker has a creepy stuffed crow and the school's attic may be haunted. When recent American transplant Nina gets thrust into the school during this time, she decides to investigate along with her new friend, Fabian, and housemates.
-1
Rob Dyrdek takes the funniest amateur internet videos and builds them into an episode of edgy, funny, and most importantly, timeless television.
-1
When people think of the hip hop life, they think of the players - the men who shape the music and the blinged-out lifestyle that comes with success. The fact is the hip hop life is different for the women involved: the spouses, girlfriends or artists trying to define themselves in a world where men are still calling the shots.
1
When the number one junior player in the country is injured, she begins to discover the teenage life she never got to live... and find the love she never thought she'd have.
1
The sinking of the RMS Titanic remains one of the most enduring and mysterious tragedies of the 20th century. For decades, investigators and amateurs alike have floated theories for why it occurred and who was to blame for the extraordinary loss of life, but no one answer could fully explain what happened. Until now. To mark the 100th anniversary of the infamous disaster, Smithsonian Channel will premiere Titanic's Final Mystery. The two-hour special investigates a century of theories and uncovers astonishing new forensic evidence that proves the most likely theory for the case.
-6
The adventures of seven fish-tailed kids- Molly, Gil, Oona, Deema, Nonny, Goby, and Zooli!
0
San Francisco musician Goh Nakamura (playing himself) is barely scraping by playing live gigs and teaching guitar. So when a filmmaker friend asks him to teach guitar lessons to TV star Danny Turner (Chadd Stoops) for his upcoming movie role, Goh jumps at the chance. While on tour together, things get complicated when Goh's high school flame Rachel (Lynn Chen) shows up.
-1
Get to know Atlanta hip-hop stars like Rasheesa Frost, Karlie Redd, Yung Joc, Renni Rucci, Erica Mena and more as they make music, build businesses and juggle their relationships.
0
A fisheries expert is approached by a consultant to help realize a sheik's vision of bringing the sport of fly-fishing to the desert and embarks on an upstream journey of faith and fish to prove the impossible possible.
-1
How do you grasp an event as enormous as September 11? At the Smithsonian's National Museum of American History, you start small: A briefcase, a Blackberry, a victim's sweatshirt, and a hero's nametag. Simple objects that tell personal stories, recounted in the donors' own words. Stories from New York, the Pentagon and Shanksville, PA remind us that the legacy of 9/11 is not fear -- it's friendship, courage, and ordinary people pushed by extraordinary circumstances.
1
A ratings hit! Amy Schumer debuts her one-hour special in front of a live audience at the Historic Fillmore Theatre in San Francisco. Nothing is off limits as Schumer airs every hilarious, messed up detail of her dating and sex life, from encounters with unexpected body parts to hate-filled personal grooming appointments. In her matter-of-fact raunchy style, at odds with her self-described "Cabbage Patch Kid" appearance, Schumer tells stories of a boyfriend who makes dirty requests over dinner, the way she outsmarts her birth control, and a shocking ending to a seemingly innocent cab ride.
-4
Mob Wives is an American reality television series on VH1 that made its debut April 17, 2011. It follows six Staten Island women after their husbands or fathers are arrested and imprisoned for crimes connected to the Mafia.
-1
Geordie Shore is a British reality television series broadcast on MTV. Based in Newcastle upon Tyne, it premiered on 24 May 2011, and is the British spin-off of the American show Jersey Shore. "Geordie" is the regional nickname and dialect given to the people of the Tyneside area of North East England, and is closely associated with the city of Newcastle upon Tyne and its environs where the show is set. However the show includes cast members from various parts of North East England.
0
It has been five years since the disappearance of Katie and Hunter, and a suburban family witness strange events in their neighborhood when a woman and a mysterious child move in.
-2
Hannibal is a Chicago native, currently living in New York City where he regularly performs and lives alone with no pets. Animal Furnace was recorded in December of 2011. Hannibal's credits include writing for 30 Rock, SNL and performing in several basements of bars in NYC and Chicago. His jokes cover topics like personal stories, current events, the streets and even food.
0
A martial-arts loving panda gets help from his mentor and friends as he becomes a warrior and protects the valley where he lives.
1
A mild-mannered secretary discovers that she has a talent for murder as she ascends the corporate ladder.
0
A man's life is altered unexpectedly after telling a lie to get out of work.
-1
In the quiet family town of Suburbicon during the 1950s, the best and worst of humanity is hilariously reflected through the deeds of seemingly ordinary people. When a home invasion turns deadly, a picture-perfect family turns to blackmail, revenge and murder.
-3
The television movie is set in the city of Dimmsdale and centers on the series' main protagonist Timmy Turner with his fairy godparents Cosmo and Wanda and his fairy godbrother Poof. In the movie, Timmy is now 23 years old but is still in fifth grade with his fairy-obsessed fifth grade teacher Mr. Crocker. Despite being grown up, Timmy finds a loophole in the fairy rulebook Da Rules: if he continues to act like a kid, he will still get to keep his fairies. However, the dilemma rises when Tootie, who was once a dorky girl when she was 10 years old, returns to Dimmsdale as an attractive woman. Timmy falls in love with her, a sign that he is growing up to an adult, which means he is closer to losing his fairies. Meanwhile, an oil business tycoon named Hugh J. Magnate, Jr., who teams up with Mr. Crocker, plans to use Timmy's fairies' magic in order to promote his oil business.
0
Demetri Martin entertains the New York City audience with a terrific set that brings the hysterical wonders of his smart, quick witted imagination to life.
3
Retired at 35 is an American sitcom on TV Land starring George Segal, Jessica Walter, Johnathan McClain, Josh McDermitt, Marissa Jaret Winokur and Ryan Michelle Bathe. It is the network's second original scripted series after Hot in Cleveland. The series premiered on January 19, 2011. On March 21, 2011, the series was renewed for a second season. The second season premiered on Tuesday June 26, 2012, at 10:00 pm ET/PT, and concluded on Wednesday, August 29, 2012.

On December 13, 2012, TV Land announced that they were not renewing Retired at 35 for another season and it was cancelled, making it the first TV Land original sitcom to be cancelled from the network.
2
Melvin, a reluctant hero who is far from super, has been suppressing his telekinetic powers for years with booze, drugs, and women. In the process, he has failed at practically everything, most of all as a parent to his son. After a brush with death, Melvin decides to use his powers for good and clean up the streets of New Orleans with the help of his best friend/definitely-not-a-sidekick, Lucille. For a man who can do the impossible, it might be a fight even he can’t win.
2
After eighteen years of marital life, Fran is shocked when her husband reveals that he is gay. Living under the same roof, the two of them date various men.
-1
A sitcom about three divorced men sharing an apartment across the hall from their female divorce attorney, who is also their landlord.
0
The real-life Jersey Shore besties Nicole "Snooki" Polizzi and Jenni "JWOWW" Farley move in together to take on their next big adventure: Adulthood!
0
The film revolves around, Norman, a world-weary manager of a pier theatre in a seaside resort. Norman has worked in the theatre for all of his life, but will not accept that the local council, which own the theatre are planning to install more commercial management in an attempt to boost audience numbers. As the story unfolds he realises it may be time to move on and put behind him the ghost of 50s & 60s singer Alma Cogan, who performed at the theatre many years ago. Sandra, his devoted long-suffering assistant and Norman decide to leave the theatre to fulfill her dream of being a professional singer and unexpectedly enjoying a late blossoming romance. From Wikipedia.
2
Musical film about the trials and tribulations of an idealistic drama teacher as she tries to put on the end of year show.
0
An aspiring teen detective stumbles into her first real case, when investigating the mysterious new family in her neighborhood.
-2
When Jimmy (Matt D'Elia) finds out his best friend and roommate (Fletcher) is leaving, he sees this as a betrayal of their perfect way of life. Over the course of a night full of drinks, drugs and women, the two men engage in a classic battle of wills as James prepares to enter the real world and Jimmy falls deeper and deeper into his world of isolation and make-believe.
0
Rags follows the story of Charlie Prince, an orphan living with his acerbic and unloving stepfather and spoiled, simple-minded stepbrothers. Charlie's dream is to be a singer, and while he is vocally talented and can write music, he can't seem to catch a break. Kadee Worth, on the other hand, is the daughter of music mogul Reginald Worth and is an international pop phenomenon. While the world knows her as a glamorous superstar, she is secretly frustrated with singing other people's songs and wearing clothes other people choose for her. Kadee wants the world to hear and see her true talent. Despite every obstacle that gets thrown in their way, once Charlie and Kadee find one another, they each finally get what they have been looking for – a voice, a stage, an audience and each other.
-1
T.I., the Grammy Award-winning artist,  is reunited with his wife, Tameka (a.k.a) Tiny, and his children following a 12 month prison sentence that was completed several months ago.
-1
A groundbreaking device is designed to glimpse alternate universes. But when the machine malfunctions and transports a group of observers into a nightmarish dimension of alien terrors, the travelers must use ingenuity to survive.
0
Chronicles the adventures of Franklin Delano Roosevelt, as he rides a "wheelchair of death" to stop the world from being taking over by polio-carrying werewolves during WWII. A deadly menace that are led by Werewolf Hitler, Mussolini and Emperor Hirohito.
-2
After his parents decide to move to a retirement home in Florida, professional gamer Quincy “Q”Johnson (Jerry Trainor) must find a way to raise 175,000 dollars to buy his family home. After hearing about a tournament for the game “Black Hole” with a grand prize of 175,500 dollars, Quincy enters the tournament, only to be faced with a new problem. An equally skilled gamer named Chris Saunders “Prodigy” (Jeanette McCurdy) has become the one block in Quincy’s plan, defeating him at every turn. So he teams up with his friend Wendell (Amir Talai) to try and find ways to stop Chris from entering the tournament.
4
Robot and Monster is an American CGI animated series created by Dave Pressler, Joshua Sternin and J.R. Ventimilia. Main characters Robot and Monster are voiced by Curtis Armstrong and comedian Harland Williams, respectively. It began production in 2009 and was ordered for a full 26-episode season in 2010, before finally premiering on Nickelodeon on August 4, 2012. In December 2012, the series was put on hiatus, leaving 4 episodes unaired.
-2
How to Rock is an American teen sitcom that ran on Nickelodeon from February 4 to December 8, 2012. It stars Cymphonique Miller as Kacey Simon. The series is based on the 2011 book, How to Rock Braces and Glasses by Meg Haston published by Little, Brown Books For Young Readers and Alloy Entertainment. The series was officially green-lit on May 23, 2011 with a 20-episode production order, later increased to 26. Two of the ordered episodes were merged into a special episode so 25 episodes actually aired. The series began filming in August 2011. It is the first television sitcom to be produced by Alloy Entertainment. The first promo aired with Merry Christmas, Drake & Josh on December 10, 2011. It was confirmed by the series showrunner David M. Israel on August 26, 2012 that How to Rock would not be returning for a second season.
1
Single Ladies is an American comedy-drama television series on VH1 that debuted on May 30, 2011, as a two-hour television film. Created by Stacy A. Littlejohn and produced by Queen Latifah's Flavor Unit Entertainment, the series chronicles the lives of three friends — Val, Keisha and April — and their relationships.
0
DNA Profiling. Toxicology. Ballistics. Today's criminal investigators employ powerful scientific tools to catch bad guys. But where did they come from and how do they really work?
0
After Timmy Turner causes Santa amnesia he must become the new Santa in order to save Christmas.
0
Untucked: All Stars is the access-all-areas pass to the drama that you didn't see on the runway. See what happens behind the scenes when the queens let their tucks breathe... and let their emotions flow.
0
It's Charlie Sheen's turn to step in to the celebrity hot seat for the latest installment of The Comedy Central Roast.
1
Five men ride into the eerie town of Yellow Rock, hoping to rescue a family member and his lost boy. The leader, Max Dietrich, hires Mountain Man, Tom Hanner, to guide them into the Black Paw Tribe territory for the search.
-1
Filmed at the New York Comedy Festival, comedian Patrice O'Neal stars in his first and only full-length stand-up special. Featuring 40 minutes of additional content not seen on television, Patrice brings his trademark absurdism and friendly yet no-holds-barred style to material on race and gender politics, relationships and more.
1
It's Donald Trump's turn to step in to the celebrity hot seat for the latest installment of The Comedy Central Roast.
2
An insurance salesman gets mixed up with two gangsters in effort to make more money and provide for his family, but things don't go as he planned.
-1
One man's journey to disprove the theory of astrology leads him to answer some bigger question about life, love, fate and destiny.
2
Daniel Tosh performs in front of a live San Francisco audience in this stand-up special for Comedy Central, and touches on topics ranging from sports and pop culture, to religion and politics.
0
In his special, rising star Nick Kroll ("The League," “Date Night,” "Get Him to the Greek") blows the doors off the time-honored one-hour format by weaving in hilarious short films, as well as appearances by his infamous characters Fabrice Fabrice, Bobby Bottleservice, El Chupacabra and Oh, Hello (featuring John Mulaney, “COMEDY CENTRAL Presents” and “Saturday Night Live”). This seminal comedy event marks the arrival of an exciting new voice in stand-up and is definitely not to be missed.
1
Hipsters beware: there is no irony in Hardwick’s affinity for Captain Picard, Comic-Con and the Atari 2600. Filmed at Skirball Center for Performing Arts in New York City, “Chris Hardwick: Mandroid” features candid comedy tales that cover virginity, chess club, shark vaginas, awkward childhood, awkward adulthood (which in this case is an extension of awkward childhood) and a myriad of other topics which may or may not include Quidditch. From unearthing his old MySpace page to the futility of attempting to delete his Facebook account, Hardwick displays his comical approach to all things trivial in the digital era, all while #hashtagging completely out of context.
-8
Sharp-tongued and outspoken, comedian and star of the FX firefighter comedy-drama "Rescue Me" Denis Leary brings his acerbic wit to New York's Town Hall, joined by fellow stand-up talents Lenny Clarke, Whitney Cummings and Adam Ferrara. Providing the evening's musical entertainment are the foulmouthed Leary and his backup band, the Enablers, with a special appearance by the Rehab Horns.
0
Kinane's first one-hour comedy special "Whiskey Icarus," during which the gruff-voiced funny man dishes on unsliced pizza, stereotypes, chivalry, single white dudes at the movie theater, suburbia and some weirdo who brought a bag of pancakes onto a plane
-1
Jeff Ross visits several cities across the country, roasting the towns and the residents in volunteer-only speed roasts. Roasting his way through cities including Seattle, Toronto, Las Vegas, Miami and Madison, Ross roasts a statue of Abe Lincoln in Washington D.C., gets roasted by John Rich in Nashville, and in Minneapolis, brings an old friend onstage to tell a very intimate story the way only Jeff Ross can.
2
Infectiously funny and painfully honest, Jo hits on such topics as the joys and struggles of fatherhood, growing up with strong and opinionated Filipino women, sleep apnea, and role playing. If you don't already know Jo from his stand-up or regular roundtable appearances on Chelsea Lately, it's time that you do. Ting ting!
-1
Super Crazy is the first feature length special from New York City's Todd Barry.
0
When it comes to satirical observational comedy, Eugene Mirman is a wizard at finding humor in what ordinary people find mundane. Tune in to find out why you should get your daughter a neck tattoo and how to make ten Saudi Arabian men give you $40 each. And if you know what a theremin is, you'll be excited to know that there's one in this special.
0
Relive an unspeakable tragedy detailed with unforgettable images, videos, and recordings only recently rediscovered.
-1
When it comes to odd jobs, Paul F. Tompkins has experienced them all, stand-up comedian included. In this extended and uncensored stand-up special, Paul (supported by his impressive mustache) takes us on a hilarious tour of his varied career. Relive his glory days as an employee at a Beta-only video store, a hat shop salesman catering to tourists looking for "king hats," an actor with an improbable cameo in an epic film, and an anxious host of Best Week Ever.
2
The Burn with Jeff Ross is a comedy panel show hosted by comedian Jeff Ross on Comedy Central. The show debuted on August 14, 2012, and is executive produced by Ross himself. The program features Ross roasting a wide variety of targets, along with guest appearances by fellow comedians who make up a panel of roasters. The show was renewed for a second season by Comedy Central, which premiered January 8, 2013.
1
Bob and his 'Can-Do' crew are back on site with a brand new adventure! Join Bob as he builds a train set for Mr. Bentley as a birthday surprise and helps find a family of squirrels a new treehouse home.
0
Still haunted by his failure to prevent the murder of a young couple years earlier, a mixed martial arts teacher must confront the skeleton in his closet when the boy who was orphaned by the killing shows up at his door.
-4
With the black man's numbers dwindling and his habitat encroached upon (we mean you, Jeremy Lin), superstar comic DL Hughley is determined to get federal protection for his species in this boundary-busting mockumentary -- released wild and uncensored.
-1
Comedian and "lightning rod for awkwardness" Matt Braunger takes the stage in his first-ever one-hour COMEDY CENTRAL original stand-up special, "Matt Braunger: Shovel Fighter." With his enthusiastic style and maybe even a little singing and dancing, Braunger lays out his genius business ideas for a strip club women will really want to visit, a frighteningly realistic frozen dinner product, and the world’s most needed new airline. Braunger also imparts key life advice, explaining the one sound everyone should learn to recognize, the importance of trusting one’s instincts to be afraid, and why working in a greeting card store may not quite be the worst job on the planet.
-1
T.J. Miller (She's Out Of My League, Cloverfield, Get Him To The Greek, Yogi Bear 3D) has taken the leash off his comedic dog voice for no reason other than to buy more fishing equipment, and he HATES fishing. Do you like explosions of fun and a sense of danger at every moment? He does. T.J. touches on such topics as holding eye contact while puking, being a social outcast because of his wee-wee, and robot dancing. If you can find a reason not to watch this special, you probably put too much energy into it. Just watch and enjoy. Don't get in the way of your own fun. Love, T.J. Miller - Fall 1999, Slovenia (roughly over 5,000 miles from East High School in Denver, CO)
1
Identical twins separated at birth: One a prominent psychiatrist; the other a life long mental patient. When the doctor gets called to his brother's institution, fate intervenes and the brothers swap places.
2
Carlos Mencia's 2011 Comedy Special
0
A story of love and friendship set against the violence of Apartheid in South Africa. It is a story of the ups and downs of the lives of the three main characters, and how their lives intersect over the years.
1
After a harsh breakup, indie musician Goh Nakamura hits the road to pursue a promising rebound.
-1
JB Smoove is a gifted writer, comedian and actor who continues to entertain audiences all over the world with his unique brand of comedy. When JB's not touring the country with his stand-up act, he's making millions laugh at home with his reoccurring roles in Everybody Hates Chris and Curb Your Enthusiasm. This hilarious extended and uncensored feature-length special includes exclusive behind-the-scenes special features and is a must-own for all stand-up fans.
3
No overview
0
JB Smoove brings the Ruckus as he hosts the best stand-up comics working today in an all new season of Russell Simmons Presents The Ruckus.
1
The southern coast of Africa features an array of battlefields as diverse as the predators who reign over them. In this concentrated mix of environments, lions rule the grasslands and leopards dominate the thick brush. Nile crocodiles and sharks rule the waters, while gannets control the skies. But all must bow to the power of the coastal plain's seasons: a ruthless cycle that has the power to give life and take it away. Enter these diverse domains and see how all creatures, hunters and hunted, must have a plan to survive the Predator Coast.
-1
For early aviators, conquering the forces of gravity was a daunting challenge. But black aviators had an additional challenge - conquering the forces of racism. Meet the men and women who took to the skies throughout the 20th century, proving to a segregated nation that skin color doesn't determine skill level. From biplanes to commercial jets, and from barnstormers to war fighters, meet the path-breaking pilots who opened the skies for all -- and contributed in countless ways to the development of aviation.
0
Interstellar chronicles the adventures of a group of explorers who make use of a newly discovered wormhole to surpass the limitations on human space travel and conquer the vast distances involved in an interstellar voyage.
0
A New York stockbroker refuses to cooperate in a large securities fraud case involving corruption on Wall Street, corporate banking world and mob infiltration. Based on Jordan Belfort's autobiography.
-3
A small town is suddenly and inexplicably sealed off from the rest of the world by an enormous transparent dome. While military forces, the government and the media positioned outside of this surrounding barrier attempt to break it down, a small group of people inside attempt to figure out what the dome is, where it came from, and when (and if) it will go away.
0
PAW Patrol is a CG action-adventure for old children and preschool series starring a pack of six heroic puppies led by a tech-savvy 10-year-old boy named Ryder.
2
Self-proclaimed business expert, writer, director and comedian Nathan Fielder helps real small businesses turn a profit with marketing tactics that no ordinary consultant would dare to attempt. From driving foot traffic to an off-the-strip souvenir shop by using Hollywood flair and a Johnny Depp impersonator, to creating a rebate that can only be redeemed by climbing a mountain, to founding a coffee shop called "Dumb Starbucks,” Nathan has always gone to the limit to make his ideas come to life. With his unorthodox approach to problem solving, Nathan’s genuine efforts to do good often draw the real people he encounters into an experience far beyond what they signed up for.
-3
Based on a true story, Scorpion is a high-octane drama about eccentric genius Walter O’Brien and his team of brilliant misfits who comprise the last line of defense against complex, high-tech threats of the modern age. As Homeland Security’s new think tank, O’Brien’s “Scorpion” team includes Toby Curtis, an expert behaviorist who can read anyone; Happy Quinn, a mechanical prodigy; and Sylvester Dodd, a statistics guru.
0
Historical reenactments from A-list talent as told by inebriated storytellers. A unique take on the familiar and less familiar people and events from America’s great past as great moments in history are retold with unforgettable results.
4
A conman and his seductive partner are forced to work for a wild FBI agent, who pushes them into a world of Jersey power-brokers and the Mafia.
0
In the pre-Civil War United States, Solomon Northup, a free black man from upstate New York, is abducted and sold into slavery. Facing cruelty as well as unexpected kindnesses Solomon struggles not only to stay alive, but to retain his dignity. In the twelfth year of his unforgettable odyssey, Solomon’s chance meeting with a Canadian abolitionist will forever alter his life.
2
In RoboCop, the year is 2028 and multinational conglomerate OmniCorp is at the center of robot technology.  Overseas, their drones have been used by the military for years, but have been forbidden for law enforcement in America.  Now OmniCorp wants to bring their controversial technology to the home front, and they see a golden opportunity to do it.  When Alex Murphy – a loving husband, father and good cop doing his best to stem the tide of crime and corruption in Detroit – is critically injured, OmniCorp sees their chance to build a part-man, part-robot police officer.  OmniCorp envisions a RoboCop in every city and even more billions for their shareholders, but they never counted on one thing: there is still a man inside the machine.
0
Take a journey into the provocative and hilariously wicked mind of Amy Schumer as she explores topics revolving around sex, relationships, and the general clusterf*ck that is life. Through a series of scripted vignettes, stand-up comedy, and man-on-the street candid interviews, Schumer tackles various themes such as "Denial," "Getting Your Way," and "Threesomes."
-4
The series uses “mockumentary” techniques to depict the fictional, reality television-style adventures of enthusiastic professional critic Forrest MacNeil, who hosts a TV show called "Review" in which he engages in any life experience his viewers ask him to, to find out if that life experience “is any good”. Afterward, Forrest formally rates each life experience in-studio, on a one-to-five-star scale. However, Forrest's compulsive curiosity and uncompromising commitment to the show unexpectedly backfire in ways that increasingly destroy his life as he is requested to review 'stealing', 'drug addiction', 'being a racist', 'getting divorced', 'getting revenge', and 'running from the law.
-5
Mia Hall, a talented young cellist, thought the most difficult decision she would ever have to make would be whether to pursue her musical dreams at prestigious Juilliard or follow her heart to be with the love of her life, Adam, a rock singer/guitarist. However, a car wreck changes everything in an instant, and now Mia's life hangs in the balance. Suspended between life and death, Mia faces a choice that will decide her future.
-1
When a kingpin threatens New York City, a group of mutated turtle warriors must emerge from the shadows to protect their home.
1
As humanity picks up the pieces, following the conclusion of "Transformers: Dark of the Moon," Autobots and Decepticons have all but vanished from the face of the planet. However, a group of powerful, ingenious businessman and scientists attempt to learn from past Transformer incursions and push the boundaries of technology beyond what they can control - all while an ancient, powerful Transformer menace sets Earth in his cross-hairs.
1
Since the moment they met at age 5, Rosie and Alex have been best friends, facing the highs and lows of growing up side by side. A fleeting shared moment, one missed opportunity, and the decisions that follow send their lives in completely different directions. As each navigates the complexities of life, love, and everything in between, they always find their way back to each other - but is it just friendship, or something more?
0
Fourteen hundred years ago, a tormented soul walked the earth that was neither man nor god. Hercules was the powerful son of the god king Zeus, for this he received nothing but suffering his entire life. After twelve arduous labors and the loss of his family, this dark, world-weary soul turned his back on the gods finding his only solace in bloody battle. Over the years he warmed to the company of six similar souls, their only bond being their love of fighting and presence of death. These men and woman never question where they go to fight or why or whom, just how much they will be paid. Now the King of Thrace has hired these mercenaries to train his men to become the greatest army of all time. It is time for this bunch of lost souls to finally have their eyes opened to how far they have fallen when they must train an army to become as ruthless and blood thirsty as their reputation has become.
-5
When the crew of the Enterprise is called back home, they find an unstoppable force of terror from within their own organization has detonated the fleet and everything it stands for, leaving our world in a state of crisis.  With a personal score to settle, Captain Kirk leads a manhunt to a war-zone world to capture a one man weapon of mass destruction. As our heroes are propelled into an epic chess game of life and death, love will be challenged, friendships will be torn apart, and sacrifices must be made for the only family Kirk has left: his crew.
-1
Feeling pressured to become more sexually experienced before she goes to college, Brandy Klark makes a list of things to accomplish before hitting campus in the fall.
0
Kroll Show is an American sketch comedy television series created by and starring comedian Nick Kroll.
0
An aging, booze-addled father takes a trip from Montana to Nebraska with his estranged son in order to claim what he believes to be a million-dollar sweepstakes prize.
0
A reimagining of the classic horror tale about Carrie White, a shy girl outcast by her peers and sheltered by her deeply religious mother, who unleashes telekinetic terror on her small town after being pushed too far at her senior prom.
-1
Jack Ryan, as a young covert CIA analyst, uncovers a Russian plot to crash the U.S. economy with a terrorist attack.
-3
With the 70s behind him, San Diego's top rated newsman, Ron Burgundy, returns to take New York's first 24-hour news channel by storm.
1
A man who suffers visions of an apocalyptic deluge takes measures to protect his family from the coming flood.
-2
A reality-based look at the vapid lives of several Mexican 20-somethings and their respective friends and/or hook-ups during their stay in Acapulco for a Summer vacation.
0
Literature professor Jim Bennett leads a secret life as a high-stakes gambler. Always a risk-taker, Bennett bets it all when he borrows from a gangster and offers his own life as collateral. Staying one step ahead, he pits his creditor against the operator of an illicit gambling ring while garnering the attention of Frank, a paternalistic loan shark. As his relationship with a student deepens, Bennett must risk everything for a second chance.
-3
Daniel Lugo, manager of the Sun Gym in 1990s Miami, decides that there is only one way to achieve his version of the American dream: extortion. To achieve his goal, he recruits musclemen Paul and Adrian as accomplices. After several failed attempts, they abduct rich businessman Victor Kershaw and convince him to sign over all his assets to them. But when Kershaw makes it out alive, authorities are reluctant to believe his story.
-2
A drama about the local field office that investigates criminal cases affecting military personnel in The Big Easy, a city known for its music, entertainment and decadence.
-1
Comedian and actor, Kevin Hart teams up with BET Networks to bring viewers one of the funniest shows on television "Real Husbands of Hollywood". The semi-scripted series is the fakest reality show ever following these men of Hollywood along their surreal lives. Enjoy the ride as these guys take on all things, from the husband's point of view. You may recognize some situations or characters from those other reality shows.
2
Emily, a troubled spirit, haunts her own house every day, wondering why she can't leave. With the help of Sylvia, a clairvoyant hired to rid the house of spirits, Emily is forced into a 'patient/therapist' relationship, uncovering disturbing mysteries about her past that may help her move on to 'the next place
-4
A masked maniac terrorizes the same small community where a murderer known as the Phantom Killer struck decades earlier.
-4
After getting a taste for blood as children, Hansel and Gretel have become the ultimate vigilantes, hell-bent on retribution. Now, unbeknownst to them, Hansel and Gretel have become the hunted, and must face an evil far greater than witches... their past.
-2
AJ is an 8-year-old techie who drives monster-truck Blaze, the top racer in Axle City. The two go on adventures that have them taking on problems involving science and math. Many predicaments they face are caused by Blaze's rival, Crusher, a tractor-trailer that will do anything to beat other vehicles to the finish line. The animated series is billed as the first TV show for preschoolers to comprehensively cover areas of science, technology, engineering and math. Each episode introduces different STEM concepts, including buoyancy and trajectory.
-2
While experiencing signs of schizophrenia, Charlie meets the woman of his dreams.
0
Nickelodeon brings treasured literary icon Peter Rabbit to life with the new CG-animated preschool series, Peter Rabbit. The series is a fresh re-imagining of the popular Beatrix Potter children’s books based on Peter Rabbit. Peter Rabbit features educational goals that encourage preschoolers to learn problem-solving and interpersonal skills, self-efficacy, resilience, positive re-framing and fostering an interest in and respect for nature.
6
86-year-old Irving Zisman is on a journey across America with the most unlikely companion: his 8 year-old grandson, Billy.
-1
Framed for crimes against the country, the G.I. Joe team is terminated by Presidential order. This forces the G.I. Joes into not only fighting their mortal enemy Cobra; they are forced to contend with threats from within the government that jeopardize their very existence.
-5
The story behind Blondie's album Parallel Lines, which sold 16 million copies and captured the spirit of 1970s New York at a time of poverty, crime and an exploding artistic life.
-2
Seventeen-year-old Jesse has been hearing terrifying sounds coming from his neighbor’s apartment, but when he turns on his camera and sets out to uncover their source, he encounters an ancient evil that won’t rest until it’s claimed his very soul.
0
In 1985 a summer vacation in Ocean City, Md., changes the life of a shy white teen who's obsessed with table tennis and hip-hop music.
0
An American traveling in South America ends up living with a group of misfits at an abandoned hospital with a troubling past.
-2
The doctor who tried to save him. The Secret Service agent who was seconds too late. The man wrongly accused of his murder. And the woman who unwittingly sheltered an assassin. The death of JFK has inspired thousands of books and debates over the last 50 years, but the stories of the people there on that day have gone largely untold...until now. Experience November 22, 1963 as it has never been presented before, in this minute-by-minute account of that day, narrated by Academy Award-winner Kevin Spacey, and brought to life through rarely seen footage and rarely heard testimonies.
-4
Mary Jane Paul is a one-woman-show: a successful TV news anchor, and an entirely self-sufficient powerhouse who remains devoted to a family that doesn't share her motivation. Intense drama and unforgettable moments unfold as Mary Jane juggles her life, her relationships, her work, and commitments to her family.
4
An astronaut returns home from a year long solo mission in space. She tries to reconnect with her husband and son in their everyday life. Her experiences in space and home lead to events that ultimately will change the course of human history.
1
Reality series chronicling the daily operations and staff drama at an African American-owned and operated tattoo shop in Harlem, New York.
0
Lil and Roz are two lifelong friends, having grown up together as neighbors in an idyllic beach town. As adults, their sons have developed a friendship as strong as that which binds their mothers. One summer, all four are confronted by simmering emotions that have been mounting between them, and each find unexpected happiness in relationships that cross the bounds of convention.
2
The series follows 14-year-old Emma Alonso, as she moves to Miami and her life turns upside-down. Not only does she discover that she is a witch, she also has a crush on the boy next door, Daniel. But Daniel’s ex-girlfriend Maddie, who is an 'evil witch' and leader of the school clique the 'Panthers', is still willing to fight for the boy she loves.
0
Felix (Cameron Dallas) is a legendary prankster who gets expelled from his high school and, with his friend’s help, stops at nothing to hide it from his parents.
1
A team of professional hitmen are paid a large amount of money to travel back in time 5 years and kill a select group of innocent people, one of whom is foreseen as aiding an army of inter-dimensional beings in wiping out the human race.
-1
Estranged brothers Jim and Dave must travel to Branson together when their father dies and leaves them the lake home. A series of hilarious mishaps and costly misadventures follow as they attempt to restore the house and rebuild their relationship.
-2
When once-up-and-coming indie film starlet Halley Feiffer loses her boyfriend, her agent and her career in one fell swoop she finally realizes that something in her life has got to change... she has to become WAY MORE FAMOUS! Armed with a stolen script and two pitchers of sangria, Halley enlists the help of her brother Ryan and his boyfriend to make her own movie, starring herself (of course) as herself, and any A-list celebrity she can land along the way.
-2
A former valedictorian quits her reporter job in New York and returns to the place she last felt happy: her childhood home in Connecticut. She gets work as a lifeguard and starts a dangerous relationship with a troubled teenager.
0
It's James Franco's turn to step in to the celebrity hot seat for the latest installment of The Comedy Central Roast.
1
A recent college graduate sets out to win back the girl of his dreams.
1
Ahsha Hayes enters the wild world of professional basketball when she tries out for the elite L.A. Devil Girls dance team against the wishes of her mother Sloane, a former dancer herself.
-1
A boy named Griffin finds a valuable multi-million dollar baseball card. After accidentally selling the card for a million dollar loss, he enlists the help of his best friend Ben and his colleagues to regain the baseball card.
1
The Jeselnik Offensive is an American late-night television program that airs on Comedy Central. It is hosted by stand-up comedian Anthony Jeselnik, who extends his onstage character into weekly, topical humor with a sociopathic, dark twist. The show primarily consists of a monologue and two panelists who join Jeselnik in adding a humorous take on shocking, lurid news stories.

The series premiered February 19, 2013, on Comedy Central. It was renewed for a second season on April 26, 2013, and aired July 9, 2013.
-2
A gay cocky young man travels to Oregon to work on an apple farm. Out of his element, he finds his lifestyle and notions being picked apart by everyone who crosses his path.
0
A heightened homage to the City of Angels, Electric Slide riffs on the real-life story of Eddie Dodson, the notorious "Gentleman Bank Robber." With a debonair sophistication and a serious talent for flirt, Dodson managed to lure money from mesmerized female tellers at over 60 banks during an epic spree in the 1980s.
1
Two best friends embark on a cross country trip back to their hometown to attempt to win a pageant that eluded them as children.
2
A love triangle shot in two continuous 45-minute takes set eighteen months apart: the first over a sunset, the second a sunrise.
1
A reality series in which a man and a woman date two different naked suitors on a remote exotic location.
0
Fearing she may be responsible, a mental patient (Jennifer Jason Leigh) tries to unravel the mystery behind her ex-lover's (Martin Henderson) disappearance.
-1
David Portnoy, a 15-year-old birding fanatic, thinks that he's made the discovery of a lifetime. So, on the eve of his father's remarriage, he escapes on an epic road trip with his best friends to solidify their place in birding history.
0
Denny Burke is finally about to graduate high school. Senior year has been one bad thing after another: a broken leg, a broken heart, and — worst  of all — a broken home.  With four of his closest friends, Denny goes on one last rock-climbing trip to prove he’s ready to start his adult life… On their trip the five teens receive a genetic boost beyond anything they’d ever imagined.  Denny’s soon faced with the first big decision of his adult life: does he give up these powers and stay a normal teenager, or does he keep them…and graduate from the human race?
-3
Sanjay and Craig is an American animated television series produced by Nickelodeon. The show is about a 12-year-old boy named Sanjay Patel who owns a talking pet snake named Craig.
0
An honest examination of the funny, sexy, turbulent and beautiful high-stakes game of heterosexual cohabitation. Tim wants to be a doctor. Caroline doesn't quite know what she wants. They both know their love is real, but can that love endure a town full of possibilities and temptation?
2
Women are practically throwing themselves at Rich and he can’t seem to control himself. But he continually blames his penis, which seems to have a mind of its own. After ruining yet another promising relationship with Jamie, Rich has finally had enough and wishes his penis would just leave him alone. The next morning, Rich wakes up to find his wish has come true and his johnson is no longer on his body. Even worse, Rich is shocked to discover that his penis has taken human form...
2
Follows the story of a group of high school teenagers and their parents as they attempt to navigate the many ways the internet has changed their relationships, their communication, their self-image, and their love lives.
1
Did you know that scrap metal is America's 4th largest export? Well, Hollis Wallace does, and he makes his quiet living trolling the back alleys of Seattle looking for cast-off copper, aluminum and other valuable metals. Hollis uses all the tricks of the metal scrapping trade to earn his living and navigate through a fascinating and rowdy world that few pay any attention to.
2
Alex received the best Christmas present from his Uncle Charlie - Santa's very own pipe. But when he tried to share his evidence with the world, he was met with pranks from non-believers. Alex and his cousins set out to prove Santa is real.
1
Armed only with their cameras, Peabody and Emmy Award-winning conflict Journalist Mike Boettcher, and his son, Carlos, provide unprecedented access into the longest war in U.S. history.
-1
Mackenzie, Katie, Briana, and Alex from the fourth season of 16 and Pregnant who are facing the challenges of their first years of motherhood.
0
A guitar-playing drifter helps a rancher's granddaughter find her true calling. They soon find themselves in the middle of a land war driven by quirky characters and magical realism.
1
The story of Charlie Darby, who has everything going for him: a great job, friends, family, the whole package. The one thing Charlie doesn't have is love, because every time he gets close, he goes clinically insane. When he meets the perfect girl, Charlie must overcome his psychosis to claim his chance at true love.
3
Animated preschool series about a clubhouse that is run by a big dog called Duggee.
0
Left broke and homeless by his wealthy parents' divorce, a young man moves in with an old friend and finally meets the woman of his dreams -- only to discover she's already dating his friend.
0
No one seemed to care about Jamie Marks until after his death. Hoping to find the love and friendship he never had in life, Jamie’s ghost visits former classmate Adam McCormick, drawing him into the bleak world between the living and the dead.
-2
When world-famous air racer Dusty learns that his engine is damaged and he may never race again, he must shift gears and is launched into the world of aerial firefighting. Dusty joins forces with veteran fire and rescue helicopter Blade Ranger and his team, a bunch of all-terrain vehicles known as The Smokejumpers. Together, the fearless team battles a massive wildfire, and Dusty learns what it takes to become a true hero.
-1
Hannibal is back with his hour-long stand-up special, "Hannibal Buress Live From Chicago", taped at the Vic Theatre in his hometown of Chicago, IL. Buress’ latest offering features more of the signature dry wit and cool delivery we’ve come to love.
2
Canada, the summer of 1898. A group of German settlers travel towards the far north in covered wagons with packhorses and their few possessions in tow. The seven travellers set off from Ashcroft, the final railway station. Along with their leader, flamboyant businessman Wilhelm Laser, they are hoping to find their fortune in the recently discovered goldfields of Dawson, but they have no idea of the stresses and dangers which lie ahead on their 2,500 kilometre journey. Before long uncertainty, cold weather and exhaustion begin to take their toll and conflicts escalate. The journey leads these men and women deeper and deeper into a menacing wilderness. (Berlinale.de)
-6
The White City tells the story of an emotionally charged love triangle set in the hot political climate of modern Tel Aviv. A young couple take a winter break in Tel Aviv as an opportunity to exercise their creativity. But while Eva writes poetry and parties with friends, Kyle works on a film which expresses his own confused sexuality with Avi, a young ex-soldier; drawing Avi further into the couple’s complex relationship. The White City presents a new slant on the love triangle genre, with the backdrop of Tel Aviv as a cultural counterpoint to the American couple’s life.  Cambridge Film Festival 2014 (http://www.cambridgefilmfestival.org.uk/films/2014/the-white-city)
2
The story of a group of friends who reunite for their annual 4th of July weekend only to be confronted by Chad, a strange and beautiful nature photographer who begins to change their lives one by one.
0
Samantha believes that her father murdered her mother. In her exhausting search for the truth about her young mother's untimely death 14 years earlier, Samantha receives help from beyond the grave.
-2
In the spring of 1984, a strange new comic book sat beside cash registers in select shops, too big to fit in the racks, and too weird to ignore. Eastman and Laird's Teenage Mutant Ninja Turtles presented a completely original breed of super hero. It was too bizarre, too crazy. It broke all the rules and should never have worked. Until it sold out. Again and again and again. For 30 years. Now, peek under the shell and see how this so-called "happy accident" defied every naysayer to become one of the most popular and beloved franchises in the world.
0
Dora goes to school and lives in Playa Verde, which is a city. Together with the explorer girls Emma, Kate, Naiya, and Alana and her only male companion, Pablo, Dora and her friends work together and go on amazing adventures while discovering the secrets of their city. Dora has a magical charm bracelet and a smart phone, complete with an app version of the previous Map to aid her. Her friend Kate is fond of drama, while Emma loves music. Alana is tomboyish but loves animals, Naiya is smart and loves to read, and Pablo loves playing soccer.
11
It's not just a comic book store; it's a comics store -- where the most-acclaimed talent gather for a night of comedy, on-stage and off. Join hosts Jonah Ray and Kumail Nanjani as they give you an all-access pass to the hottest stand-up scene in town.
2
Inspired by DreamWorks Animation's 2009 blockbuster feature film, this new series follows the further adventures of the beloved monsters- B.O.B., the gelatinous blob without a brain; Link, the prehistoric fish-man; Dr. Cockroach, the half-man/half-insect mad scientist; and Susan (aka Ginormica), the incredible growing woman-as they defend Earth from various alien and supernatural threats.
1
When Michelle Hathaway relocates to New Orleans to open a bakery with her daughters Taylor and Frankie, they quickly learn that life in the “Big Easy” is very different. Unbeknownst to them, their new home is already occupied by a ghost family comprised of jazz musician father Ray Preston and his sons Miles and Louie. After agreeing to live under one roof, they come to care about and rely on one another while driving each other crazy – just like any normal family would. Though leery at first, the Hathaways soon discover how much fun life can be when living with ghosts.
1
When Neurotic, struggling songwriter, Catherine Brown's life in New York City falls apart, she is forced to confront her past when she spends the summer at her childhood home in Woodstock.
-4
A young married couple comes home from a date night to discover that they are imprisoned in their own house with a methodical killer inside.
-1
Three detectives become embroiled in a tense struggle after a tragic accident that leaves a child in critical condition. One is guilty of a crime, one will try to cover it up, and the other attempts to expose it. How far will these men go to disguise and unravel the truth?
-8
Two ducks fly around in a rocket-powered van, delivering bread to other ducks in Pondgea.
0
Tired of their mother's alcoholism and a string of her abusive boyfriends, two sisters plot to kill her.
-4
TripTank is Comedy Central’s newest animated experience, executive produced by ShadowMachine’s Alex Bulkley and Corey Campodonico. The weekly, eight-episode half-hour series, showcases a wide range of fast-paced, hard-hitting animated comedy shorts presented in an anthology style, weaving together stand-alone and recurring narrative pieces.
1
When a dysfunctional group of unpublished writers accept Hannah into their fold, the last thing they expect is her overnight success. Can these lovable misfits achieve their artistic dreams and avoid killing one another in the process?
0
Winning your childhood sweetheart can create more problems than it solves.
1
A woman finds out she's pregnant and returns home when the expected father wants nothing to do with her.
0
When Ricky Miller, a single, quiet 40-year old aspiring writer and manager of Debbie's (think Denny's) and probably the last person you'd notice in a crowd is 'hit by lightning' and meets the love of his life, the beautiful Danita on E-Happily.com, he is catapulted into a relationship online but it's a lot more than what he bargained for - this includes being asked to kill! Hounded by his best friend Seth who thinks no "10" would even go out with a guy like Ricky unless she had ulterior motives (or needed glasses), Ricky starts to get skeptical himself. Turns out, Danita confesses she's actually married to a handsome affable crime novelist and former Rabbi, Ben Jacobs. Is Danita telling Ricky the truth when she says wants to leave her husband but fears for her life if she does? Will Ricky go through with the plan to kill him so he and Danita can live happily ever after?
2
Girl Code is an American reality comedy television series on MTV that debuted on April 23, 2013. It is a spin-off series to Guy Code. The series features female actresses, musicians, stand-up comics — plus a few men — who discuss the sisterhood that women share. It was announced on June 13, 2013, that the series has been renewed for a twenty episode second season. Season 2 will premiere on October 29, 2013.
1
Teen Nicholas Borelli gets the surprise of his sheltered life when he ends up spending the summer with a cast of eccentric relatives in Brooklyn, N.Y.
-1
The story of young, brilliant African-American Anita Hill who accuses the Supreme Court nominee Clarence Thomas of unwanted sexual advances during explosive Senate Hearings in 1991 and ignites a political firestorm about sexual harassment, race, power and politics that resonates today.
-2
Martini Mondays and tequila Tuesdays take a back seat to new step-motherhood when former party girl Stephanie marries Charlie, an older dad with three kids. Becoming an instant mom doesn't come with a rulebook, but it does come with a dose of humor as Stephanie traverses the fine line between being a friend and being a responsible parent.
2
A long time ago Tom loved Lovely. They were married and everything was perfect, at least for a little while. But that was then and this is now. Lovely has just killed a man in cold blood after he tried to drug and kidnap her in a motel. She calls Tom to help but now they've found a VHS tape that depicts a satanic ritual in which a woman is murdered. Lovely desperately wants to leave and they do, but Tom forgot his engraved lighter in the room, and when they go back to find it, the dead body appears missing.
2
Workaholics' star Adam Devine takes over a swank LA mansion and fills it up with the freshest stand-up, the loudest bands and his own bro-busting comedy -- in this rowdy, genre-smashing series. You're invited to the ultimate Hollywood house party!
2
The third episode of the Cities of Love franchise, Rio, I Love You is an anthology, created by 10 visionary directors from across the globe. The story line of each segment focuses on an encounter of love in a different neighborhood of the city, demonstrating the distinctive qualities and character of that location. The film serves to bridge gaps between cultures, educating and entertaining the audience, while celebrating unique and universal expressions of love.
7
In a world where past meets present and the present gets lost in time, reality is blurred for 5 College psychology students who are pushing all boundaries during an ESP experiment over a lost weekend...
-3
In his first hour-long special on Comedy Central, comedian and podcast host (You Made It Weird) Pete Holmes perfects his signature silliness and really gets into that time Juan won one. While he may look like a youth pastor, he's as comfortable talking about religion as he is secretly hating his girlfriend's friends and being a straight man who is 100% Gay for Ryan Gosling. Trust us, this special is McDonald's.
3
Anthony Jeselnik brings his signature dark and twisted point of view to this special. He holds nothing back, routinely saying things most wouldn't ever dare. Anthony is not for the easily offended or humorless.
-2
After being abandoned at the altar, Jason courts the girl of his dreams on the Internet. When she arrives in Los Angeles for their wedding, there's an unexpected surprise.
-1
"Women and Black Dudes" is the first Comedy Central one-hour stand-up special from comedian Neal Brennan. He delivers bold material that dives deep into issues of race and gender. Brennan brings real talk about women, black dudes, and more.
-1
The legendary Tracy Morgan returns to his roots in his new stand-up special, "Tracy Morgan: Bona Fide". Tracy delivers a hilarious hour that includes everything from growing up in the projects to the time Prince threw him out of his house after a party.
2
Bloom Towne is a small-town sheriff under the thumb of the well-established, deeply influential Mayor Dick Cavanaugh's family. When Bloom's two teenage sons, Nate and Skylar accidentally shoot and kill Dick during a deer-hunt, Bloom's long-held allegiance to the reigning Cavanaugh clan is tested. Skylar (still a minor) decides to take the wrap for his older brother Nate, claiming he fired the fatal shot. The Cavanaugh family's quick retaliation sends Skylar on his way to county jail, soon to be tried as an adult. Desperate and guilt-ridden, Nate breaks Skylar out of jail and sets off a chain of lawless acts, which send them deep into the woods and on the run. Bloom's choice between the law and his sons leads to revelations of old family secrets that threaten to destroy everything he loves.
0
AwesomenessTV is an American sketch-comedy reality series that airs on Nickelodeon Monday Nights at 8pm, and that began airing episodes on July 1, 2013 and is created by Brian Robbins.
0
A documentary about the work and personality of artist David Hockney.
1
AmeriQua is the story of a lazy recent graduate, Charlie (Bobby Kennedy), whose rich parents cut him off with a $5000 check and an ultimatum to start a life of independence and responsibility. Instead, he buys a plane ticket to Italy, gets robbed upon arrival and winds up in Bologna in the care of his new friend Lele (Lele Gabellone), the self-proclaimed King of Bologna, who lives with a scraggly punkabbestia, Ballo (Gianlucca Bazzoli), and the insatiable prostitute frequenter, Il Pisa (Giuseppe Sanfelice). In Bologna, Lele teaches Chrlie the subtle strategies that the King knows so well, namely hitting on Italian women, throwing all-night parties and inciting general anarchy. Charlie takes to it like a pro and in the process meets the dangerously beautiful Valentina (Alessandra Mastronardi) and all-American Jessica (Eva Amurri).
0
With a young daughter, two baby mamas, and his own mama breathing down his neck, Ronald "R.C." Carr has got more ladies in his life than he can handle! He's one hit song away from fame and fortune as a music producer, but he can't seem to find the rhythm that makes him a good, reliable father. Between his love interests scheming to get him to settle down and his unresolved issues with his own father, R.C. has got some growing up to do. It'll take finding the right harmony of love and forgiveness to be a real man and a true father.
6
In his debut stand-up special, Kumail Nanjiani talks about all the things that terrify him completely.
0
In Somalia, principled, young husband and father Abdi turns to piracy to support his family. While his wife and child wait for him in Yemen, an outdated and fragile satellite phone is his only connection to all he truly values. Abdi and his fellow pirates hit the high seas and capture a French oil tanker, demanding a hefty ransom. During the long, tedious wait for the cash to arrive, Abdi forges a tentative friendship with one of the hostages. When some of the pirates resort to violence, Abdi must make dramatic choices to determine his course.
-3
On a spur of the moment road trip, new friends Sophie and Pete hatch a misguided plan to get hitched.
-1
Standup special filmed at the Gramercy Theatre in New York..
0
David Spade's first new comedy special in 15 years.  Recorded at the Music Box Theater in Hollywood.
-1
In his first Comedy Central one-hour special, Al Madrigal tells true tales of Coach Frankie the Cholo soccer dad, "Liam Neeson" the mushroom-addled cleaning lady, and Jesus the day laborer mas fuerte! Download Al's new special. Now with 25% more Cholos!
0
Most comedians are tortured artists and there are few more tortured than Artie Lange. The 46-year-old veteran comic, former Howard Stern Show star and two-time best selling author has been to hell. But he’s come back, albeit scathed both physically and psychologically, over the last few years. The culmination of Lange’s storied return to the stage takes form Oct. 18 at midnight on Comedy Central, when Artie Lange: The Stench of Failure premieres.
-5
A young woman refuses to bow down to the local criminal kingpin who wants to take control of her late mother's flower shop in order to run drugs. However, when he crosses the line, she and her siblings seek revenge.
-3
Duke is a modern day telling of a classic western film. Dare and Roost are brothers who have been raised in a reformatory, taught to survive and conditioned to trust no one. They have moved to West Los Angeles, where Dare moonlights himself as a Detective and Roost blankets himself in old John Wayne films and reclusive habit. Cleaning the streets and ridding the neighborhoods of scum, this contemporary study finds Dare obsessed with a phantom like criminal (Winky) who seems to be terrorizing the community. Simultaneously, the same exact investigation is being led by official and likely engrossed Detective Robert Morrison. As Dare closes in on Winky and the entire department closes in on them both, these brothers must make the ultimate commitment and pay the extraordinary consequences therein.
5
"The Star-Spangled Banner" is known by all, treasured for its powerful melody and stirring lyrics. And yet, only about 40% of U.S. citizens know all the words. And even fewer know their meaning. Join us as we travel back to 1814, when Washington D.C. was under British attack during the "Second War of Independence," and the very bricks and mortar of American democracy were reduced to smoking rubble. We examine the battle that inspired witness Francis Scott Key to immortalize its final moments, then reveal how his poem transformed into an anthem.
0
Crochet sculptures, a gun embedded in a teapot, a 700 lb. shotgun shack and more intriguing works represent the future of American craft.
2
Stand-up legend Dave Attell hosts, joined by old friends as well as some new faces in their rawest, unfiltered state in New York's historic Village Underground. Each episode features sets from three comics.
1
In this award-winning crime drama, a ruthless mob enforcer is tasked with protecting his boss's outcast son. As a violent turf war escalates, they hide at a remote upstate New York farm, imposing on a scared single mother and her young son.
-6
Perched high above it all in Denver, Joe Rogan¹s brand-new one-hour stand-up special, "Rocky Mountain High," has a clear perspective. Tune in to find out the real meaning of infinity, why Joe will lie to you on stage and why Kim Kardashian is the most popular woman in the world. Filmed at the renowned Denver Comedy Works in downtown Denver, "Rocky Mountain High" proves if you¹re not paranoid, you¹re not paying attention.
1
In her second one-hour Comedy Central special, taped at the Barclay Theatre in Irvine, CA, Whitney dissects her recent breakup, her TV show, and the troubling voices in her head. This extended and uncensored version is sure to keep you laughing for days.
-2
An optimistic ex-con reinvents himself as an alternative medicine doctor with hopes of impressing his family. But his plans go awry, and soon everyone's embroiled in this comedy of errors set in the heart of Cajun Louisiana.
-1
Take a journey back in time and immerse yourself in a 150-year-old battle that nearly split our nation in two. This three-part series explores famous and little known aspects of the Civil War, from the perspectives of the Union, the Confederacy and the millions of enslaved people struggling for freedom. Hosted by Ashley Judd, Trace Adkins, and Dennis Haysbert, all of whom had ancestors greatly affected by the war, this series delivers fresh insights and untold tales, brought to life through dramatic recreations and the Smithsonian Institution's vast collection of artifacts.
1
Bob s building Fixham Harbour s new dinosaur-themed fun park with a giant roller coaster and fantastic rides. Everything is going to plan until the team begin unearth dinosaur bones on site! The machines can t contain their excitement and are eager to dig in and get mucky, but where are they going to put all the bones and who will be able to move them and will dinosaur hunter Scratch be lucky enough to find his own discovery? Fortunately Bob s got a plan and Rubble the new dumper truck can help!
6
In her first Comedy Central one-hour special, Kristen Schaal unleashes her wit upon San Francisco. She is best known as a correspondent on The Daily Show with Jon Stewart and as an eccentric fan on Flight of the Conchords.
0
At any given moment hundreds of people are soaring above us in a 747. From the moment the very first jumbo jet took off in 1969, it has been the aircraft against which all others are judged. But its 45-year journey has been anything but smooth. This is the definitive story of the Boeing 747, from its milestones and triumphs to its turning points and disasters. Witness its history through rare archival footage and tales from pilots, engineers, designers, and passengers who were there when it all began.
1
Re-examines the dramatic events of Boxing Day 2004, and investigates the new science of Tsunami forecasting.
0
You might know Steve Rannazzisi as “Kevin” on “The League,” but he’s also one of the funniest stand-up comedians working today and he’s coming to a city near you. Get your tickets now.  Debuting on Comedy Central November 16th 2013.
0
Hitler's Riches examines how Hitler during World War II use his position to power to personally enrich himself. It looks at Hitler's will dictated during his final hours in the Führerbunker before his suicide and talks to the British officer who found it. It also discusses his life, his art, and his relationship with Eva Braun. It also examines the use of the Hitler image in modern day society.
2
In 1960, a lone assassin planned a deadly attempt on the life of President-Elect John F Kennedy. With a Buick packed with dynamite, nothing was going to stop Kennedy's Suicide Bomber.
-4
2014 standup special originally aired on Comedy Central.
0
Every one of us teems with trillions of microorganisms: Streptococcus, Flavobacterium, and thousands of other kinds of bacteria and fungi. Some of these microbes are what we call "germs," but many more of them are actually good for us. Discover the health benefits of having aliens inside us, and see how those benefits are being threatened by our modern, sterile lifestyles. Then follow Dr. Dominguez-Bello on her expedition to the Amazon, where DNA samples of a remote group show how drastic the microbial imbalance in the Western world has become.
2
Washington, D.C. in 1861. The Civil War is at the doorstep and the city is bracing for disaster. America is a country torn in two. An untested President Lincoln strives to make the nation's capital the political center of the Union, but finds he is surrounded by Southern sympathies and under constant threat of attack. See how this once sleepy small town grew into the metropolis we know today. A city cast in marble, a symbol of American liberty and a memorial to those who fought tooth and nail to preserve it.
-3
Huddie Ledbetter was born into poverty, battled racism, and did time, but in spite of his early hardships, or perhaps because of them, he became one of the great musicians of the 20th century. We trace the life and career of Lead Belly, a man praised by critics and revered by artists, whose unique music crossed a host of genres and influenced countless industry legends, from The Beatles to Led Zeppelin to Nirvana and beyond.
-2
What a civilization imbibes can reveal a lot about who they are and the world that they live in. Those who built the pyramids preferred beer, and ancient Rome loved its wine, but what's the preferred alcoholic beverage in the US and what does it say about America? Join food writer Josh Ozersky on an illuminating journey as he makes moonshine, meets a microbrewery's chemist, visits an award-winning vineyard and samples the infinite possibilities of the cocktail bar, all in the name of science.
2
On 21 December 1988 a Pan Am 747 jet exploded over the small Scottish town of Lockerbie. On the 25th anniversary of the worst terrorist attack on British soil, this is the story.
-3
Hack Into Broad City is an exclusive web series that eavesdrops on the candid, often-outrageous video chat sessions between Abbi and Ilana, the two best friends at the heart of Broad City.
0
Ireland's history is steeped in religion and mystery. Why did its people stop worshipping the earth 5,000 years ago? Did St. Patrick really act alone in converting the Irish to Christianity in the 5th century? Historians, astronomers, and other scientists believe answers to these and other questions lie in the stars. Discover the role that celestial occurrences have played in Irish religious beliefs and practices as we explore ancient hallowed sites and even the heavens above.
0
America: land of liberty, opportunity, and some Seriously Amazing Objects, many of which are on display or in the archives of the Smithsonian Institution. Join us as we whisk unsuspecting museum visitors inside the vaults to get up close and personal with some of history's great treasures. From the Spirit of St. Louis to the Model T, and from Edison's light bulb to Seinfeld's "puffy shirt," this series celebrates our nation's explorers, trailblazers, and megastars, sharing their stories through unforgettable objects.
2
Uncover the secrets of the vast Great Lakes region, which extends from the Canadian border to the American Midwest. It's a place of breathtaking natural beauty, with a unique set of challenges threatening its delicate environmental balance.
3
After getting in a car accident, a woman is held in a shelter with two men, who claim the outside world is affected by a widespread chemical attack.
-1
Ethan and team take on their most impossible mission yet—eradicating 'The Syndicate', an International and highly-skilled rogue organization committed to destroying the IMF.
-2
Stephen Colbert brings his signature satire and comedy to The Late Show with Stephen Colbert, the #1 show in late night, where he talks with an eclectic mix of guests about what is new and relevant in the worlds of politics, entertainment, business, music, technology, and more. Featuring bandleader Jon Batiste with his band Stay Human, the Emmy Award-nominated show is broadcast from the historic Ed Sullivan Theater. Stephen Colbert, Chris Licht, Tom Purcell, and Jon Stewart are executive producers. Barry Julien and Denise Rehrig serve as co-executive producers.
0
An inspirational speaker becomes reinvigorated after meeting a lively woman who shakes up his mundane existence.
0
The USS Enterprise crew explores the furthest reaches of uncharted space, where they encounter a mysterious new enemy who puts them and everything the Federation stands for to the test.
-2
Liza Miller, a suddenly single stay-at-home mother, tries to get back into the working world, only to find it’s nearly impossible to start at the bottom at 40-year old. When a chance encounter convinces her she looks younger than she is, Liza tries to pass herself off as 26 and lands a job as an assistant at Empirical Press. Now she just has to make sure no one finds out the secret only she and her best friend Maggie share.
0
Dr. Jason Bull is the brilliant, brash, and charming founder of a hugely successful trial consulting firm.
2
Welcome to the Loud House, where life can get pretty crazy. One boy, TEN girls?! Lincoln Loud wouldn’t change it for the world!
-1
Derek and Hansel are modelling again when an opposing company attempts to take them out from the business.
0
Limitless, based on the feature film, picks up where the movie left off and follows Brian Sinclair as he discovers the power of the mysterious drug NZT, and is coerced into using his newfound drug-enhanced abilities to solve weekly cases for the FBI.
-1
In 1942, an intelligence officer in North Africa encounters a female French Resistance fighter on a deadly mission behind enemy lines. When they reunite in London, their relationship is tested by the pressures of war.
-2
In 1950s Pittsburgh, a frustrated African-American father struggles with the constraints of poverty, racism, and his own inner demons as he tries to raise a family.
-5
An American Ambassador is killed during an attack at a U.S. compound in Libya as a security team struggles to make sense out of the chaos.
-4
Each episode features two A-list celebrities like you've never seen them before - syncing their hearts out in hysterically epic performances. Hosted by LL Cool J with colorful commentary by social media maven and supermodel co-host, Chrissy Teigen. The mic is off, the battle is on!
2
"Selma," as in Alabama, the place where segregation in the South was at its worst, leading to a march that ended in violence, forcing a famous statement by President Lyndon B. Johnson that ultimately led to the signing of the Voting Rights Act.
3
In 2002, cable news producer Kim Barker decides to shake up her routine by taking a daring new assignment in Kabul, Afghanistan. Dislodged from her comfortable American lifestyle, Barker finds herself in the middle of an out-of-control war zone. Luckily, she meets Tanya Vanderpoel, a fellow journalist who takes the shell-shocked reporter under her wing. Amid the militants, warlords and nighttime partying, Barker discovers the key to becoming a successful correspondent.
2
20-something Angus MacGyver creates a clandestine organization where he uses his knack for solving problems in unconventional ways to help prevent disasters from happening.
-2
A family reunion goes awry when the oldest son makes the accusation that his dying father, a famed psychiatrist who also did work for the CIA, adopted his children for the purposes of psychological experimentation.
0
Music journalist Andrew Deeley (DAVID GYASI) lives in a high-rise tower block, physically and mentally scarred from a vicious attack. Alone and cut off from the world, he obsesses over Kem (YENNIS CHEUNG), his beautiful Chinese neighbour.  When Amy (PIPPA NIXON), a married woman he meets online, witnesses Kem's kidnapping, Deeley is left with no choice but to find Kem himself. Armed with only an Oyster card and a hammer, Deeley spirals into the heart of the Triad underworld as he searches for a woman the world has forgotten.
-2
Set at the turn of the century, “Another Period” follows the misadventures of the Bellacourts, Newport, RI’s first family, who have absolutely nothing to offer to the world, but who have so much money it doesn’t matter. The series focuses on sisters “Lillian” and “Beatrice”, who care only about how they look, what parties they attend and becoming famous, which is a lot harder in 1902.
1
The Turtles return to save the city from a dangerous threat including classic villains Bebop and Rocksteady.
-1
Following a worldwide event known as The Reset, humanity rebuilds a society with aging mechanics where gleaming technology once stood. Surveillance now the status quo, society is slowly putting its shattered pieces back together under a watchful eye. After a friend’s suicide leaves behind a mysterious computer drive, a young computer prodigy and a shadowy hacker join together to decipher the clues that he’s left behind. The youthful creators of Jackrabbit have successfully constructed a world, which we haven’t previously seen on film. Mixing retro production design with slick storytelling, they deliver a cinematic dissonance that will result in a shock to the senses.
-2
An independent Australian horror/drama that explores the societal norms that break down among a small group of survivors in a post-apocalyptic world. Ravenous hordes of infected zombies terrorize the survivors, but it is the horror within their own sanctuary that they must fear the most.
-4
Charlie Martin, a JI whose fraternity gets kicked off campus after it takes the rap for a rival fraternity gone awry. Three years later, Charlie and the remaining brothers must throw the greatest rush event to recruit a new pledge class and bring the house back to glory.
1
Quickie-mart employee Melissa and paraplegic Richie are very much in love. Supported only by Melissa’s small hourly wage, they are nevertheless thrilled to learn that Melissa is pregnant. Then their situation deteriorates, and their tenuous financial situation threatens to bring their happy life crashing down.
2
A young fresh-faced Hill staffer gets her first job in Washington, D.C. and discovering two things: 1. The government has stopped working, and 2. alien spawn have come to earth and eaten the brains of a growing number of Congressmen and Hill staffers.
0
A dad finds out that parenting is harder than he thought after his wife goes back to work and he's left at home to take care of the kids.
1
After enjoying a holiday romance, high school students Danny and Sandy are unexpectedly reunited when she transfers to Rydell High, where she must contend with cynical Rizzo and the Pink Ladies.
-2
Five years after taking the fall for his younger brother, a tormented ex-con flees parole to find his kidnapped baby niece. One step ahead of the police, and one behind an unraveling criminal syndicate, he must once again sacrifice everything in the name of family.
-4
"Betch" is an all girls sketch comedy show starring 'The Betches,' and featuring celebrity hosts.
0
When David is left by his fiancé just days before the wedding, his relentlessly upbeat best man, Flula, insists that the pair go on David's previously planned honeymoon: a seven-day backpacking trip through the breathtaking mountains of Oregon. Their adventures are bookended with passages from William Clark's diary describing his friendship with Meriwether Lewis and the terrain they crossed during their expedition.
2
A young woman slowly goes crazy after taking a job as the caretaker for an ancient New York home.
-2
In the second half of the 19th century, Eadweard Muybridge, the father of motion pictures, embarks on an obsessive project to record on film "the motion of life" in all of its abundance. His epic quest is eclipsed only by the depth of his jealousy over his beautiful, young wife Flora. As the project progresses, his paranoia over her fidelity consumes him, until questions arise about his son’s paternity, causing him to erupt.
1
An alcoholic film editor puts together the pieces of his movie star sister's murder.
-1
Based on a miraculous true story that drew the attention of the entire nation, is the dramatic, thrilling, and spiritual journey of Ashley Smith and Brian Nichols.  After being taken hostage by Brian in her own apartment, Ashley turns to Rick Warren’s inspirational book, The Purpose Driven Life, for guidance.  In reading from the book, Ashley not only finds purpose in her own life, but helps Brian find a more peaceful resolution to a harrowing situation.
5
Barney Thomson, awkward, diffident, Glasgow barber, lives a life of desperate mediocrity and his uninteresting life is about to go from 0 to 60 in five seconds, as he enters the grotesque and comically absurd world of the serial killer.
-6
Chronicles Jack Harris, one of the pioneers of internet commerce, as he wrestles with his morals and struggles not to drown in a sea of conmen, mobsters, drug addicts, and pornstars.
-4
On July 4th, private Jay Williams returns home from the Middle East, but a mysterious epidemic breaks out and infects his friends at his party. On the road to salvation, Jay is joined by his ex-sergeant, who reveals chilling secrets leading to a conspiracy. The night has just begun, as they embark on a survival quest for the ultimate truth.
-2
A teenage interracial couple in the 1950’s rob and steal to escape the bigotry of the American South. But when things turn violent, they are forced to confront the dark secrets of their own.
-5
In an attempt to abandon their well-practiced social constructs, a group of friends test the limits of monogamy, friendship, betrayal, and freedom.
-1
A young up and coming artist in New York city has his life and dreams forever altered when the tragic events of 9/11 take the lives of his two best friends and he accepts guardianship of the couple's two young daughters. Now eleven years later, and teaching art at an elementary school, he raises the girls as if they were his own, but the financial grind to live in NYC is too much, so he decides to take the girls away from the only place they've ever called home and move back to Buffalo where he grew up. This "non-traditional" family now faced with change, new surroundings, and a new journey, must learn how to adjust to this new life, while trying to find themselves along the way.
-1
A group of rule-abiding prep school students – Zack, Lawrence, Freddy, Summer and Tomika – learn to take risks and reach new heights thanks to substitute teacher Dewey Finn, a down-on-his-luck musician who uses the language of rock ‘n’ roll to inspire his class to form a secret band. Throughout the school year, these middle-school classmates find themselves navigating relationships, discovering their unknown talents and learning lessons on loyalty and friendships.
1
In this show, you'll meet the five guys behind the viral YouTube magic: Tyler, the bearded guy; Cody; the tall one; Garrett; the purple hoser; and Coby and Cory, the twins. Operating from their Dude Perfect headquarters in Frisco, Texas, Dude Perfect has the job every kid dreams of. Whether it’s working with celebrity guest stars like Luke Bryan, Dale Earnhardt Jr and Aaron Rodgers, or prepping for their next battle video, Giant Basketball Arcade, Lawnmower Race or Epic Snow Battle, these guys have made a career out of having fun.
5
A married woman falls in love with another woman but struggles with her bisexual tendencies.
-1
Inspired by true stories, a lighthouse keeper’s wife struggles with her work and her sanity as she cares for her sick husband in 19th century Maine. When a mysterious stranger washes up on shore, secrets buried in deep waters come to light, and she  confronts both her past and her future.
-3
The story of Florence Foster Jenkins, a New York heiress, who dreamed of becoming an opera singer, despite having a terrible singing voice.
-1
Burger Beard is a pirate who is in search of the final page of a magical book that makes any evil plan he writes in it come true, which happens to be the Krabby Patty secret formula. When the entire city of Bikini Bottom is put in danger, SpongeBob, Patrick, Mr. Krabs, Squidward, Sandy, and Plankton need to go on a quest that takes them to the surface. In order to get back the recipe and save their city, the gang must retrieve the book and transform themselves into superheroes.
-1
A mild-mannered young bird and his best friends, a pair of rambunctious siblings called Fee and Foo, seek adventure and mischief in the magical forest that they call home.
1
Comedy about a husband and wife trying to raise their five kids in a New York two-bedroom apartment.
0
Using a special camera that can see spirits, a family must protect their daughter from an evil entity with a sinister plan.
-1
Written by and starring acclaimed comedy troupe The Katydids, Teachers shows their hilariously warped perspective as six elementary school teachers trying to mold young minds, even though their own lives aren’t really together.
0
Danny, a Taiwanese-American man, and his partner Tate want to have a baby, but the complex world of international surrogacy is further complicated by Danny's well-meaning but extremely meddlesome mother.
-3
Twins genies, Shimmer and Shine, grant their human friend Leah three wishes every day - unintentional chaos follows.
-1
Following a recent breakup, struggling writer Jules (Dan Simon) crashes with his recently separated best friend, Saul (Gregory Lay), at his apartment in Brooklyn. While Saul wants to drink heavily and lament over his impending divorce, Jules just wants to escape into latest script. After Saul is fired from his job as restaurant manager and Jules loses an off-Broadway production of his play, the two embark on a weekend bender through New York City and Connecticut in search of solace and sometimes more pain. When the sun finally rises, neither expects to see the light.
-5
Karen and Jack met in a mental hospital and fell in love. They set out to follow what Jack thinks is his destiny: killing Elvis Presley.
0
Once Craig Ferguson retires, James Corden will be taking over The Late Late Show. The show is a late night talk show that interviews celebrities and has its own bits. And of course, it's all hosted by James Corden.
0
A group of students trapped in a high school must fight for survival when predatory mutant freaks take over after a meltdown at the local chemical plant.
-3
Oscar's life seems almost perfect...sure he's divorced and his apartment is a mess, but he's the host of a well-known sports show, and is enjoying his bachelor lifestyle in New York City. That is until his college friend, Felix, shows up at Oscar's apartment having just been dumped by his wife. Oscar does his best to console his old buddy and get him back on the dating horse, but his attempts uncover just how unresolved his own feelings are about his ex.
1
A new girl in a quiet town, Tess tries to manage her psychosis while adjusting to her new life with her mom. After stumbling upon the shrine of Lucy, a hit and run victim, Tess finds herself overwhelmed by hallucinations of the dead girl and starts to question her sanity again.  When the spirit possesses Tess’s mind and soul, mother and daughter are at a loss for where to turn next for salvation: religion or medicine?  Both institutions have failed them to date but faith leads them to the house of Sarah, Lucy’s mother, who has been despondent since the accident.  All together with time working against them, Sarah is desperate to believe that Lucy is still alive in Tess but neither parent wants to give up on their daughter.  Now that she understands what is happening to her, ultimately Tess must decide whether she wants to keep fighting or succumb to her affliction.
-6
An absurdist, retro-futuristic 80s cop extravaganza. The series follows undercover detective Dazzle Novak, a handsome idiot who commits more crimes than most criminals. His tyrannical chief, Pizzaz Miller, won't get off his back, and hotshot rookie Rad Cunningham is dying to see him fail. With the world against him, Dazzle is thrust into a living nightmare: having to do actual police work.
-3
A botched Christmas Eve robbery leads down a destructive path for a police officer reconnecting with his estranged mother, a coming-apart-at-the-seams amateur photographer, his vindictive and murderous fiancee, her secret lover and a strung-out mall Santa...as they all converge in one explosive and deadly night.
-4
When Charlie and her girlfriend Cerina decide to have a baby together, the idea of using Cerina's ex-boyfriend Josh as the live-in donor turns an easy on-paper idea into a much more challenging event.
0
Outrageous stories from stand-up comedians, musicians and more show why real life experiences always make the best material.
0
Claire is under the grip of a mysterious new cult called Faults. Desperate to be reunited with their daughter, Claire's parents recruit one of the world's foremost experts on mind control, Ansel Roth.
-2
When a super girly-girl is dumped by her boyfriend; she decides to do everything she can to get him back by building a college gymnastics team, quickly learning that she is capable of a lot more than just getting an MRS degree.
1
The unsettling true story of America's first serial-killing family. A troubled doctor searches for patients swallowed by the prairie and encounters the Benders, homesteaders trapped by a life of unspeakable sin.
-4
A mother struggles to make a better life for her daughter.
0
Comics compete onstage while adhering to the Roast Battle rules: original material only, no physical contact, and every battle ends with a hug.
1
Polar opposites meet and fall in love, but it isn't long before their relationship is on the rocks. In order to get through the holiday season without too much drama they decide to pretend they are still a couple, but their plan takes an unexpected turn.
-2
Chronicles a single day in the summer of 1989 when the future president of the United States, Barack Obama, wooed his future First Lady on an epic first date across Chicago's South Side.
0
Paradise Run puts teamwork to the test in a beautiful tropical setting. Each week, three teams of two compete in the ultimate vacation challenge!
2
A wannabe private investigator wins the Green Card lottery and moves to America to pursue his dream only to find himself embroiled in a conspiracy to start the next world war.
-1
As her 30th birthday looms, an over-achieving woman with a thing for bowlers decides to marry the man of her dreams in just under a month.
0
Following his visit to the Great Barrier Reef in 1957, naturalist and broadcaster David Attenborough returns and uses the latest filming techniques to unlock the secrets of the natural wonder.
2
Lakshmi is a thirteen-year-old girl who lives with her family in a small hut on a mountain in Nepal. When the Himalayan monsoons wash away all that remains of the family's crops, Lakshmi's father says she must leave home and take a job to support her family. He introduces her to a glamorous stranger who tells her she will find her a job as a maid in the city. Glad to be able to help, Lakshmi journeys to India and arrives at "Happiness House" full of hope. But she soon learns the unthinkable truth: she has been sold into prostitution...
2
The film follows John Crenshaw as he accompanies his girlfriend and her students on a weekend nature-photography expedition deep into the woods. What should be an educational and fun-filled weekend turns into horror as the group is besieged by an unspeakable evil - a horde of hideously disfigured, mutated humans with an insatiable taste for blood. As things go from bad to worse, Crenshaw becomes their only hope if they are going to get out alive.
-7
Surrounded by the eccentric faculty of Truman High School, Mitch Carter wins the California Teacher of the Year award and immediately receives a tempting offer that may force him to leave his job.
2
Larry is an unqualified, unemployable, inebriated prankster who rides a tide of booze onto the glorious shores of an undiscriminating Quick-Lube.  Taking a part-time job vacuuming and washing windshields, Larry finds himself mixed up with hostile co-workers and unsatisfied customers, while also finding himself smitten with his lovely boss, Lupe Torrez.  Will Larry keep it together long enough to win the girl, provide for man's best friend (his dog Arrow), and do his grandmother proud?
5
While her mother is away on business, a young girl home alone with her older brother witnesses her neighbor's kidnapping. But no one believes her--not her brother, not the cops. So she takes matters into her own hands putting her life at risk to save her neighbor.
-1
After discovering a bong capable of transporting them through space and time, two stoner cousins embark on an adventure that will bring them up close and personal with cavemen, the Salem witch trials and more.
1
Drifter, Jack, pays a visit to an old friend Frank whose mundane life is upended after the two become involved in a strange and seemingly random murder and journey up to the Northern California Sierra in order to bury the body.
-3
When over-the-top Amy enters Allison’s organized but imperfect life and claims to be her guardian angel, they form an unlikely friendship and Allison can’t be sure if Amy is actually an angel or just nuts.
0
Hell Below is an event-based series charting the stealth game of sub sea warfare, tracking the dramatic narrative from contact to attack of the greatest submarine patrols of World War II. From the rise of the Wolfpack to the drive for victory in the Pacific, we profile the strategic masterminds and the rapid evolution of technology and tactics, as the threat of undersea warfare brings every sailor's worst nightmare to life. Expert analysis and stock footage are woven with narrative driven re-enactments filmed on authentic Second World War era submarines to place the characters at the heart of the action.
-1
Jack Ridge is a former piano prodigy living on a farm he has let go to seed. He's living in the past, but the future is coming for him.
1
A mix of cabaret and standup recorded at Joe's Pub in New York.
0
"All-Stars" is a hilarious commentary on the state of all youth sports today, fueled by the outrageous behavior of the desperate sports parent living vicariously through his or her child. In the vein of "Best in Show", where it's more about the dog owners than the dogs - "All-Stars" is about the adults involved in youth sports (parents, coaches, umpires, volunteers, board members, etc.) more than the kids. The end result is a funny, yet compelling spin on fast pitch softball as well as a unique state of affairs on the outlandish antics of a few crazed parents.
1
Everyone's favorite chipmunks -- Alvin, Simon and Theodore -- are back in this computer-animated version of the classic animated series. The brothers are famous rock stars who tour around the world with their best friends, the Chipettes.
4
A live-action sitcom about two 12-year-old girls who start a multi-million-dollar gaming company and take on rap superstar Double G as a business partner.
0
Two codependent roommates, on the verge of eviction, flee New York for the promise of sunshine in Los Angeles where their friendship is tested by a chance at fame, a fortune teller and an amorous wealthy aunt.
3
In this sparkling romance, Ruby, a Chinese American toy designer from LA, visits Hong Kong for the first time on business. Finding herself stranded, she meets Josh, an American expat who shows her the city.
1
Manny has moved to a new school, and it's not easy to fit in. After wishing he had more friends, Manny finds a mysterious collar and puts it on Rufus, the family dog. Suddenly, Rufus turns into a boy! Manny's not sure what to do, so he enrolls Rufus in school. When the other students notice Rufus's silly dog antics -- chasing squirrels, eating without utensils, asking for belly rubs, and catching a soccer ball with his mouth -- he immediately becomes the most popular kid around. Manny is jealous of his new best friend but eventually learns that a dog's loyalty to his owner always comes first.
1
Interwoven stories of what it is to be a mom seen through the lens of photographer Rigby Gray.
0
Reserved yoga instructor May's peaceful, clean-living life is thrown out of balance by the arrival of her long-lost sister Shiva, a street-smart yet naive young woman trapped in an abusive relationship. May feels compelled to rescue the hapless Shiva, but she finds herself increasingly drawn out of her sedate world and deeper into Shiva's chaotic one.
-4
As they approach the end of childhood, three elementary school kids must brave the woods on Halloween to face a monster born from their nightmares.
-1
A loner fresh out of rehab and hunted by both sides of the law returns home to solve the murder of his sister, and finds himself entangled in a game of revenge on the LA club circuit.
-2
Two co-dependent sisters, a recovering sex addict and a lonely lesbian who work as hotel maids in Fresno, go to ludicrous lengths to cover up an accidental crime.
-4
A couple on the brink of ending their marriage spend a weekend in different cities. After a cataclysmic event strikes, the husband embarks on a physical and emotional quest to return home as a nation prepares for the worst.
-3
The paths of a desperate man and an imprisoned young woman cross unexpectedly in the den of a mysterious killer.
-4
Five British friends head to the Andes for a stag weekend. Of course, they’re unprepared, get lost – and inevitably ignore all warnings about the sinister local legend of the ‘The Hunter’.
-6
Desperate to turn his life around, a hard-luck gambler risks everything to sell stolen casino chips to a ruthless gunslinger. It's the worst bet of his life.
-5
After his wife kicks him out, an anxious comedian is lured in by an intriguing woman with a stalker.
0
Buddy Solitaire is a struggling comedian on the late night circuit. The only job he can get is teaching comedy to the mentally ill. Buddy discovers, however, that by helping these patients, he can get closer and closer to healing himself.
1
A family goes on a cruise but not all is what it seems. The next day they wake up with no memories of last night, which gets them in a LOT of trouble!
-1
A 35-year-old woman fakes being pregnant to fit in with her friends.
-1
When new kid in town Ed Wallis is given an assignment to interview an older person, he turns to his mysterious neighbor, Ashby Holt for help.  That new connection leads to unexpected journeys for both of them, as Ashby – who turns out to be a retired CIA assassin – deals with a terminal prognosis, and Ed deals with adjusting to life with his newly single mom and developing relationship with a brainy classmate, Eloise.
-1
A disturbed young woman must confront her worst fears when she finds herself trapped alone in a New York City loft during the 2003 blackout.
-5
Two young friends embark on a road trip across France in a vehicle they built themselves.
0
When Hunter gets sent to a dorky summer dance camp, he thinks he's about to have the worst summer of his life. But the quirky charm of the camp grows on him when he meets the passionate Cheyenne and joins her dance troupe to challenge the arrogant champion Lance in the camp’s Legends of Dance competition.
1
Michael is a basically decent guy with a pregnant girlfriend, great friends - and one massive drug problem. Because he missed his own Las Vegas bachelor party being too stoned, his four besties decide to kidnap him for a weekend of roughing it in the California wilderness. Caught off guard by this surprise camping trip and his nose candy supply dwindling, Michael is shocked when his buddies start being ritually murdered one by one. Suspecting it’s the vicious drug dealer he cheated getting bloody revenge, Michael’s life swirls out of all control as the real truth is revealed.
-6
A mystery outside of San Francisco brings together small-town sheriff, Paul Del Moral, Japanese author, Aki Akahori and a traveler from Reno who soon disappears, leaving behind his suitcase and a trail of questions.
-1
In 2029, a cyborg drifter risks his life to protect a woman from her demented ex. Set in a lawless coastal town after Oregon secedes from the Union.
-1
A multi-dimensional interface between a comic book artist, a novelist, and a film director. Each lives in a separate reality but authors a story about one of the others.
0
Desperate, broke, and out of ideas, four college seniors start a fake charity to embezzle money for tuition.
-3
Freshman Neil's Vanguard stories are all he cares about...until he meets the older Julia, who pushes him to put his own fan fic online. When the website's moderator takes a special interest in Neil's work, it opens up a whole new universe.
1
Follow a normal day in the life of three abnormal people to see what it's like to walk in another person's shoes for a day. Shot entirely in subjective camera, the audience will experience a day in the life of these three characters by hearing their internal monologue, dialog, and by seeing what they see as they go about their daily business. Since the movie is all about perception, all three characters lives intertwine in a scene that each character perceives completely different, leaving the audience to decide for themselves what really happened on this normal day. Each characters lives twist and turn as the movie progresses into a fun, yet different, cinematic adventure.
1
A small town news team discovers a box of video tapes where a faceless figure dressed in a dark suit, haunts and torments a family...slowly driving them insane. Soon after, they realize that the "Operator" has begun to stalk them as well.
-4
Brooklyn, New York. After the sudden death of their aunt Isabelle, Vivien and Chloe inherit her historic bakery. Vivien wants to keep up the tradition; Chloe feels that the business needs to be modernized. But when notified that they are about to be evicted, the two do not hesitate to work together to preserve the family legacy.
0
What do an aspiring pop diva, a fashionista and a book worm have in common? Music! After being randomly selected to room together at Mackendrick Prep, Sun Hi, Jodi and Corki must learn to live together in harmony... literally. Can they achieve pop stardom in a school where academics come first and the arts come last? How will these rising stars balance music, grades, relationships and crushes? There's only one way to find out! Get ready for fun, drama, and musical comedy with a K-pop twist and an EDM beat!
0
It is 2016 and a fearful world seems to be on the brink of a nuclear catastrophe. A researcher in psychical events and his girlfriend travel to deepest Dartmoor to investigate a centuries-old building. What they unlock and discover is way more than they could have ever bargained for.  An exciting first feature from newcomer Eugene McGing, who expertly takes familiar tropes and gives them a fresh spin in this genuinely terrifying haunted house tale.
1
Now a Guardian in training at WITS Academy, the Magic Realm's most esteemed school for Witches and Wizards in Training, it seems like Andi’s dream has finally come true. But as the best friend and unofficial Guardian to the Chosen One, she’ll have to work hard to prove that she can live up to expectations as the first (and only) human Guardian. Plus, she’s in charge of getting the Magical Realm’s toughest witch and wizard to graduation day, one of which is Jax's little sister Jessie! Along the way she’ll have to decide who is a friend, who is a foe and who may be more…
4
Astral is a fairy princess who lives in the secret fairy kingdom of Athenia which is full of mythical creatures. While that sounds amazing, Astral likes to fantasize about living in the human world and attending high school. Once she leaves her home to do just that, she has to try to fit in and keep her identity a secret.
2
In the not too distant future where a deadly disease has gripped the world, Arcadia has been built as safe disease-free haven for the privileged. Outside Arcadia, the average life lasts merely 40 years - unless they can earn a place amongst the elite.
2
After accidentally stumbling into his uncle's mysterious "tanning bed", Adam learns the answer to all of his problems - multiple Adams. With his new collection of clones, Adam is hopping on one wild summer ride with an epic splash.
-3
Following his release from prison, an ex-fighter meets a woman who helps him put his life back together.
-1
A challenged man is stalked by tall phantoms in business suits after he purchases a car with a mysterious black credit card.
-1
Keeping to himself in the wake his father's death, James Charm finds refuge in solitary walks and creating morbid sketches — until a charismatic new friend and a quirky young woman begin to draw him out of his shell.
0
A series of horrifying murders, the victims, always couples, staged in bizarre collage dioramas with cardboard cutouts and scribbled, childlike messages about the corrupting power of love. The killer's on the loose, and the FBI is looking for a truck driver. Emery Reed is a long haul trucker disillusioned with the American Dream after an accident left his wife paralyzed and took the life of their son. Newlyweds Jeff and Krissy are having the time of their lives until their car breaks down on a rural road in the middle of nowhere. When the love birds collide with the forlorn truck driver, a wild ride leaves everyone questioning the true value of love and American Romance.
-8
Three friends enact an innocent revenge on one's rapist but things spiral out of control resulting in the deaths of each of their lovers.
-1
A resourceful boy creatively uses poetry to survive when his mother, a disturbed avant garde painter, locks him in a puppet box and builds an art installation around his imprisonment.
-2
Unspooled through a series of vignettes, this slice-of-life tale follows a group of young college graduates who are forced -- because of a bleak economic environment -- to shack up with their parents and settle for low-paying jobs.
-1
A talented musician, about to trade his dreams for a safe career in his girlfriend's family business, finds his voice, but loses the girl, when a mysterious record label owner introduced him to a group of Brooklyn beatboxers.
0
Several roasters, and the master himself Kevin Hart, make fun of Justin Bieber.
2
Nickelodeon stars feature in vignettes and musical numbers about holiday custom's, all within a larger wrap-around story,
0
A series of absurd interwoven stories about four friends and roommates, naive Pig, bohemian Goat, selfish Banana, and mad scientist Cricket.
-5
Gregg Wallace and Cherry Healey get exclusive access to some of the largest factories in Britain to reveal the secrets behind production on an epic scale.
0
It's Rob Lowe's turn to step in to the celebrity hot seat for the latest installment of The Comedy Central Roast.
1
A set of vipers has been taken by scientists to mutate them to make a cure for cancer. As their experiment goes awry, the vipers escape into the woods - they're not only biting people, they're actually killing people, in a little town.
-4
The adventures of Katherine ' Kit' Bridges who relocates to England when her father joins the faculty at Covington Academy, an elite equestrian boarding school.
1

0
The services of shark killer have been engaged by his brother Jake, the head of a West Coast crime ring. The gig: kill the black-finned shark that swallowed a valuable diamond during a gang transaction.
-4
In "Ink Master: Redemption," human canvases from previous "Ink Master" seasons, who left unhappy with their tattoos, return to the shop for a chance at new ink. Each episode will feature a different twist, including the risk that your tattoo artist is the same one who gave you the original tattoo.
0
A group of people live together in a house outfitted with 87 HD cameras and more than 100 microphones, their every move recorded 24 hours a day. For the first time ever, fans will be able to watch everything play out live during the 24/7 feeds and have the opportunity to vote and impact the game like never before. Each week, Houseguests will be evicted and at the end, the last remaining Houseguest will receive the grand prize of $250,000. This was the first and only season to be played completely online on CBS All Access (Now Paramount+) in the United States Only
3
Documentary following the Queen and members of the British Royal Family.
0
A group of musical spies (Twist, Kiki, Shout and Marina) solve mysteries and stop evildoers with the help of Commissioner Goldstar, their monkey sidekick Bo, and gadget guy Reed.
-3
Trevor Moore recorded his first solo one-hour special, High In Church, at The Gramercy Theatre in New York. Accompanied by a live band, dancing girls and music videos, Trevor performs an hour of brand-new sketches and songs spanning all musical genres.
1
Jeff gives the most dangerous – and enlightening – roast of his life from behind the walls of the Brazos County Jail in Bryan, Texas. In this special he touches on topics surrounding incarceration such as race, solitary confinement and the death penalty.
-3
When "Star Trek" first aired in 1966, it expanded the viewers' imaginations about what was possible in their lifetimes. Today, many of the space-age technologies displayed on the show, like space shuttles, cell phones, and desktop computers, have already gone from science fiction to science fact. Other innovations, like warp drive, teleportation, and medical tricorders are actively in development. Join us as we celebrate the 50th Anniversary of "Star Trek" - a show that continues to inform, enrich, and inspire.
4
From the legendary New York City music venue, the man The New York Times called “a master of the dirty joke” dishes on the taboos of growing up with step parents, how to navigate “the friend zone,” and why nobody should feel uncomfortable about cringe-worthy material at a comedy show.
-2
A couple hiking Mount Whitney runs into a group of mountain men who develop a dark obsession with the young woman.
0
The special was filmed at Bimbo’s 365 Club in San Francisco and centers on Leggero as she “elegantly examines the many reasons why having kids is problematic, the absurdities of Burning Man, Mormons, Hipsters and more. From conservative Republicans to her very own diamond p***y, Leggero’s special proves that no one and nothing is off limits.”
-4
Filmed in front of a sold-out hometown crowd in New York City, "SMD" is the first Comedy Central stand-up special from Saturday Night Live's Pete Davidson. The special is filled with Davidson's unfiltered, brutally honest anecdotes about smoking a Snoop Dog amount of weed, texting his mom d* pics, and his issue with male porn stars. From his stint in "prehab" to this one time at a Justin Bieber concert, Davidson proves that even at 22, he and his friends have had some high times and heavy experiences.
-2
Set against the backdrop of 'the beautiful game', Black and White Stripes tells the epic story of Italy's legendary Agnelli family and their team, Juventus F.C., as they set out to capture an elusive gold star in order to avoid annihilation. As the inspirational journey unfolds, the film weaves in game-changing moments from their heart-wrenching legacy - revealing the profound passion between family and team. On and off the field it's love, war and breathtaking cinema.
7
Gordon Welchman was one of the original elite codebreakers crucial to the allies defeating the Nazis in World War II. He is the forgotten genius of Bletchley Park.
3
A journey riding the rails around the world, from the locomotive to rail traffic control to the maintenance depot.
-2
Told in the style of Playmates' Half-Shell Heroes action figure line, the storyline finds the Turtles going back in time to the Jurassic Era, where they encounter friendly dinosaurs from the past and dangerous aliens from the future who have a nefarious plan of their own. However, things get even more complicated when Triceratons, Bebop and Rocksteady show up!
-1
Elle and Joy spend their last week before their next music tour wandering through the heart of Laurel Canyon, whiling away carefree afternoons with their friends as they plan for their own going away party.
2
A mockumentary comedy about two brothers who are forced to co-exist in the same homeroom class.
0
Desperate for cash, a down on his luck party emcee is corrupted by his shameless uncle to steal his grandmother's top secret pickle recipe.
-2
Albert is the story of a tiny Douglas fir tree named Albert who has big dreams of becoming Empire City's most famous Christmas tree. When the search for this year's tree is announced, Albert believes he has found his calling and hits the road with his two best friends, Maisie the persistently positive plam tree, and Gene the abrasive and blisteringly honest weed, to fulfill his destiny. With a few prickly situations along the way, and Cactus Pete out to stop him, Albert learns the true meaning of Christmas.
3
Stand-up veteran Deon Cole dazzles the crowd with his sharp jokes and easy charm in his first hour-long special. He pontificates on subjects ranging from the endless uses for plastic bags to how he knows he's aging to why we'll never have another black president. Cole's observations about race, society, and everyday life are often absurd and always intelligent.
3
These are the true stories of American heiresses who travelled to England to marry titled English men in the late 1800s.
0
Filmed at the historic 40 Watt Club in Athens, Georgia, Kyle Kinane's new special delivers wonderfully grim anecdotes filtered through his own optimistic lens. In "I Liked His Old Stuff Better" Kinane chooses to marvel rather than rue such experiences as falling in the shower and receiving pickled eggs as a token of love. It is his second special for Comedy Central.
3
Comedian Nikki Glaser talks about relationships and what it means to become an adult woman.
0
NFL superstar Rob Gronkowski, actress Stevie Nelson and comedian Brandon Broady present hilarious fails from the world of amateur sports.
0
When a new doctor moves in next door, the neighborhood kids make it their mission to ensure he is not a creepy guardian of a terrible neighbor-eating monster.
-3
Zoe Moon a newly single mother mother wants to start a cosmetics buisness.
0
My debut Comedy Central special, PAID REGULAR, is a tribute to my stand-up origins. I shot in the Original Room at the Comedy Store in Hollywood. It's where half the great comics for the last 40 years have worked out on a nightly basis. It's where I've gone up on stage more than anywhere else in the world. To me, this is what comedy is supposed to look like.  My bits are about me exploring the hackiness of racism, life in weed-challenged NYC, and all the ways you too can challenge authority. And you also get some of my favorite material that we had to cut down for the broadcast edit. The Walking Dead bit was the one that hurt the most to have to cut out for TV. And there's a public service announcement that you should for sure watch with that special person in your life (unless you're both lesbians).
1
After the death of his pregnant wife, a religious man rejects his Faith, and mockingly challenges God and the Devil as he struggles with the desire for revenge.
-5
China is a land of immense scale and diversity, an ancient civilization with a fascinating history dating back thousands of years. From the monumental engineering feats of the Great Wall, to innovative and unique farming techniques, and a massive water splashing festival, you’ll discover how China has transformed its cities and infrastructure so much in three decades while still retaining its strong traditions, and how these strong traditions have shaped China’s landscape to make it uniquely recognizable and truly magnificent, especially from the air!
9
The “@midnight” host makes things very funcomfortable for the packed house at The Palace of Fine Arts in San Francisco as he explores awkward and sometimes super creepy memories from both childhood and today. With “the energy of SpongeBob dipped in cocaine water,” Hardwick delves into dealing with anxieties, finds the humor in joining the “Dead Dad Club,” and shares deeply personal anecdotes that most people would be too embarrassed to say out loud.
-2
Ride along with the NTSB and its inter-agency partners as they work together towards determining the probable cause of aircraft accidents. These NTSB investigations provide a window into the integral role of air travel in Alaskan life, while raising awareness that might prevent future accidents.
2
In his third one-hour special, Kyle Kinane talks about why his girlfriend doesn’t need to worry about him cheating, reveals the whitest thing he’s ever said, and explains why you have to keep fashion in mind if you insist on carrying a gun.
-2
An aging ex-con struggles to adapt to the outside world after many years in prison--and begins to build a relationship with the grown son he never knew.
-2
Shaquille has grown up below the radar and believes that his ticket to a better life lies in throwing a college party. All hell breaks loose as Shaq tries to fix the party--and his future.
-3
Based on a true story in 1985. Derek is a dreamer and a loser. No matter how hard he tries he fails at everything he attempts. Determined to show the world he can succeed at something he forms an American Football team in a country dominated by Soccer, Rugby, Cricket and Fish & Chips. His desire to succeed consumes his life and he is blind to see that his success will lead to him losing everything.
0
In Dan Soder's first hour-long special, he reveals the creepiest thing about his grandmother, admits that his recent breakup was his fault and remembers the hardest thing about being raised by a single mom. Throughout his special, Soder is so laid-back and charming that you'll be grateful he wasn't actually possessed by the devil that one time.
-1
A series of nuclear bomb test conducted outside Las Vegas in the 1950s and early 60s
-1
In Rachel Feinstein's first hour-long special, she brings her blunt humor to a variety of topics, including her love of Christian sleepovers and the purposelessness of dick pics. Feinstein embodies a variety of memorable characters like her terrifyingly mature middle school friend, her judgmental grandmother, and porn star Jenna Jameson.
5
“The League’s” Steve Rannazzisi hits Boston’s Wilbur stage with his tales of life, marriage and yes, being a dad. A really funny dad.
-1
Nick returns to the Paramount Theater to drop his new TASTE IT hour special. Fans of Swardson get his fresh takes on booze, chicks and diarrhea, along with new stories, new jokes and a new t-shirt. Nick is back and it tastes good.
2
The story of Hitler’s final hours told by people who were there. This special features exclusive forgotten interviews, believed lost for 65 years, with members of Hitler’s inner circle who were trapped with him in his bunker as the Russians fought to take Berlin. These unique interviews from figures such as the leader of the Hitler Youth Artur Axmann and Hitler’s secretary Traudl Junge, have never before been seen outside Germany. Using rarely seen archive footage and dramatic reconstruction, this special tells the story of Adolf Hitler’s final days in his Berlin bunker.
-2
Two young artists use love as a safety net against the fear and pain in their lives in order to propel them deeper into their art.
-1
William courtenay's color film of the pacific campain and japans downfall
-1
The Pantanal is the world's largest tropical wetland, a lush environment where a tangled web of lives comes together. Tree-dwelling capuchin monkeys, gravity-defying Piraputanga fish that leap out of the water to pluck fruit from trees, and over 650 species of birds call this ecosystem home. Wade into this wonderland of biodiversity and uncover its natural rhythms.
0
Roastmaster General Jeff Ross talks to Black Lives Matter activists, goes on an eye-opening police ride-along, and roasts members of the Boston Police Department.
0
Natasha Leggero, Adam Devine, Pete Davidson, Jay Pharoah and Jim Jefferies each tell a story about a song that's important to them, then get to live out their rock star fantasy by performing that song with the help of a live band (and a few special guests). These comics are having the time of their lives, and their infectious energy is impossible to resist.
0
Animals congregate in places where their basic needs can be met: havens from predators where competition for food is manageable and breeding opportunities are abundant. Journey to the habitats of these one-of-a-kind animals and learn their survival stories, from nesting fairy penguins, to migrating caribou.
3
SEAL Dog tells the story of Trevor Maroshek, a former Navy SEAL who worked closely with his amazing war dog, Chopper.
2
When hard drugs invade a small town, local and federal law enforcement find themselves working together. Navigating the minefield of local political officials and junkie confidential informants, the team seeks to root out a sinister network of "meth" cooks and dealers threatening to change the face of Long Island's picture perfect suburban north shore.
-2
Filmed at the Gramercy Theatre in New York, the hilarious and charming “Full Time Magic” is Nate Bargatze’s first one-hour special. It’s a good thing after wanting to quit comedy early on, he stayed with it simply because he didn’t know who to quit to.
4
At the memorial for his father, WWII hero Major James Prentis (Alan Bates), John (Lambert Wilson) confesses a dark family secret to his own son Martin (David Oakes), something that he has harbored for over twenty years. A suspense drama, it explores the complex nature of heroism, betrayal, and father-son relationships. This is a reworking of the director's original 1993 film entitled simply, Shuttlecock.
-2
With their distinctive burrowing habits, complex mating rituals, and cube-shaped scat, wombats are unique even among Australia's many rare and extraordinary animals. Dig into the hidden world of this elusive marsupial.
1
A group of kids find classified information from NASA and an object from another Planet and work to get it back to its rightful owners.
1
We all know the main story of Abraham Lincoln's death, how he was killed, where it took place, and who pulled the trigger. But what exactly happened during the last day of his life? Relive April 14, 1865, as we track the hours of the day that shocked the world, following both assassin and victim on separate paths that would ultimately converge at the Presidential Box at Ford's Theatre. We'll also look at the objects, like Lincoln's hat and John Wilkes Booth's gun, that witnessed the crime that changed the course of American history forever.
-5
A quirky, aspiring actress is determined to make her dreams come true in Hollywood, but first she's got to overcome her biggest obstacle - herself.
-1
History buff Paul Shull is on a mission to find some of the world's rarest weapons from military history. This series chronicles his journey as he locates, fixes and fires antique weapons.
0
In the jungles of the Solomon Islands, a remote archipelago in the South Pacific, a biologist is attempting to do something Charles Darwin and Ernst Mayr never accomplished: catch evolution in the act of creating new species. Albert Uy is on the verge of an amazing discovery in the Solomon Islands, but there's a threat looming on the horizon. The islands' resources are being exploited, putting all local wildlife at risk. It's a race against time to gather the evidence necessary to prove the existence of a new species before it's lost forever.
-1
Watching animals care for their young is a powerful reminder of the bonds we all share as living species on the planet. Take a heartwarming look at baby animals as they playfully find their way in the world.
3
Yellowstone National Park is home to a vast array of landscapes and a huge diversity of animals, united in a fascinating ecosystem, one that is currently in severe trouble. The area once contained over 19,000 elk, but its numbers have plummeted by 80% in the last two decades. The mysterious decline has sparked many questions, and researchers are in a race to provide answers. Join them as they investigate a series of theories and suspects, from wolves to bears to trees to trout, in an attempt to solve this alarming puzzle.
-5
When his hockey career comes to a sudden end, Sam returns to his hometown and tries to escape into an earlier, simpler time in his life.
1
Happy Yummy Chicken follows two men as they create a musical inspired by a news story of a woman sitting in a fried chicken restaurant for two months after a breakup. A satire of true events about things we do for love & musical theatre.
0
Jade, 20 years old, hangs with a vampy schadenfreude and is met with startling intimacy and a tragic discovery in which she’ll have to do the only thing she’s been afraid of: grow up.
-3
A documentary that explores the rise and fall of Academy Award Winning actor Gig Young, who had fame, fortune, love, women, the world, until his life ended tragically in an apparent murder-suicide. Or did it?
3
In Southern Florida, a unique and complex ecosystem known as the Everglades has only two seasons - the dry, winter season and the wet, summer season. Over thousands of years, plant and wildlife have adapted to these conditions. This is the on-going cycle of change, in Seasons of the Wild.
-2
There is an island where dragons still roam. A Jurassic type underworld where ancient warlords still rule. Where they fight for supremacy...where they fight to survive. Komodo Island - deep in the remote basin of the Pacific Ocean - its an ancient Kingdom of fire and brimstone. Here, a string of 452 volcanoes erupt from the ocean bed, its known as "The Ring of Fire" and it's the perfect habitat for dragons. Komodo Dragons! The largest living lizard on the planet with 34 million years of survival in his DNA. Its no surprise that he's still known as a dragon, he has the presence of an ancient gladiator. He's armored in claws and scales, but instead of spitting fire, he spits deadly venom.
0
Despite needing 18-21 hours of sleep a day , koalas are still capable of startling displays of energy, agility and aggression--especially around mating season. Get a closer look at the surprisingly rich and unexpected hidden lives of these iconic Australian marsupials in their natural habitat.
0
The RMS Queen Mary is the last survivor of the golden age of ocean liners. She was bigger and faster than any ship ever built before. Her presence was a symbol of new hope and a better future during the Great Depression and through the darkest days of World War II. Decades after her maiden transatlantic voyage, we celebrate the amazing story of this queen of the seas, told through rarely seen footage and interviews with some of the many millions of people whose lives she touched and changed forever.
6
The tropical waters of Bimini in the Bahamas are the hunting grounds for a large, yet elusive predator - the Great Hammerhead Shark. After 7 years research into the hunting senses of the Great White Shark, sensory biologist Dr. Craig O'Connell is now on a mission to test and examine this shark like never before, and finally uncover the truth behind its legendary Hammer.
1
In Out Of The Rubble, Woolcock shows how planners grappled with the grimmest poverty imaginable in the post-war era, from Brixton to Glasgow, Islington to Birmingham, believing that tower blocks would transform the lives of those living in decaying slums. She follows the cycle of optimism, building and eventual decline, meeting people who 50 years on bear witness to the effects of housing on real families, striking a contemporary chord with the theme of immigration and gentrification affecting working class communities. The irresistible nostalgia of scenes from the 1950s, 60s and 70s is tempered by a realisation of the force of history at work.
2
The Nazis knew it was their last chance. The British knew it was the deadliest threat they'd ever face. And the Americans knew it could fall into the wrong hands. The V2 rocket quickly became Hitler's greatest deadly weapon and beacon of hope to turn the course of World War II in his favor. Watch Nazi Germany's desperate attempt at victory as the Allies race to stop them and see how the V2 miraculously went from deadly weapon to amazing feat of space technology.
0
Three Southern Californian teens – Bayle Delgado, Romi Herrada and Angelica Luna – go through simultaneous fun and drama-filled journeys to celebrate the coming-of-age birthday parties of their dreams while expert quinceañera planner Maria Perez helps make all their quince wishes come true.
2
Summer is coming...and with it a deadly invasion. There's a killer on the loose, a deadly winged beast whose toxic venom melts human flesh. But it's not a dragon...it's a Japanese Killer Hornet. These supervised Samurais of the wasp world are the size of a human thumb and they are packed with a cytotoxic venom that causes anaphylactic shock - and death.Their stinger is a quarter the size of their body and packs a punch like a Black Mamba. Determined to rule their forest Kingdom, the Killer Queens are on the rampage, destroying all the other factions in their domain and mercilessly feasting on the developing grubs in their neighboring territories. This protein rich food source will help them to grow their own burgeoning super-hive. But it's not enough. Their voracious army needs more. And its open season on honeybees - their favorite prey! A handful of Hornet scouts can massacre a hive of 30 thousand bees in a matter of hours.They carry the decapitated torsos back to their future warriors and leave the bee faction devastated. The forest is no longer their boundary. The Killer Hornet invasion is crossing oceans and continents. They've already annexed Japan, China and France. They're en route to the British Isles and there are rumors' of sightings in the USA. They're responsible for 42 human deaths in China alone, and now that humans are on the hit list, its all out war!
-14
The early life of child genius Sheldon Cooper, later seen in The Big Bang Theory.
1
A locally born and bred S.W.A.T. lieutenant is torn between loyalty to the streets and duty to his fellow officers when he's tasked to run a highly-trained unit that's the last stop for solving crimes in Los Angeles.
0
Procedural drama about the inner workings of the New York office of the Federal Bureau of Investigation.
0
Follow the voyages of Starfleet on their missions to discover new worlds and new life forms, and one Starfleet officer who must learn that to truly understand all things alien, you must first understand yourself.
0
Best friends and fledgling ad men Sam and Tim may not have the money, connections or talent that the big guys do, but they have ambition out the wazoo. Together, they’re out to build a local advertising empire and restore their home city of Detroit to its former glory in this new show from executive producers Lorne Michaels and Jason Sudeikis.
3
The harrowing true story of the 1993 standoff between the FBI, ATF and the Branch Davidians, a spiritual sect led by David Koresh in Waco, TX that resulted in a deadly shootout and fire.
1
The nicest guy in the Midwest moves his family into a tough neighborhood in Los Angeles where not everyone appreciates his extreme neighborliness. That includes their new next-door neighbor Calvin.
3
A biologist signs up for a dangerous, secret expedition into a mysterious zone where the laws of nature don't apply.
-2
Picking up one year after the events of the final broadcast episode of "The Good Wife", an enormous financial scam has destroyed the reputation of a young lawyer, Maia Rindell, while simultaneously wiping out her mentor and godmother Diane Lockhart's savings. Forced out of her law firm, now called "Lockhart, Deckler, Gussman, Lee, Lyman, Gilbert, Lurie, Kagan, Tannebaum & Associates", they join Lucca Quinn at one of Chicago's preeminent law firms.
2
A family is forced to live in silence while hiding from creatures that hunt by sound.
0
When an IMF mission ends badly, the world is faced with dire consequences. As Ethan Hunt takes it upon himself to fulfill his original briefing, the CIA begin to question his loyalty and his motives. The IMF team find themselves in a race against time, hunted by assassins while trying to prevent a global catastrophe.
-3
Military drama following the professional and personal lives of the most elite unit of Navy SEALs as they train, plan and execute the most dangerous, high stakes missions our country can ask of them.
0
The cast of Jersey Shore swore they would always do a vacation together. Now, five years, five kids, three marriages, and who knows how many GTL sessions later, the gang is back together and on vacation in a swanky house in Miami Beach.
1
A kindly occupational therapist undergoes a new procedure to be shrunken to four inches tall so that he and his wife can help save the planet and afford a nice lifestyle at the same time.
3
Brad and Dusty must deal with their intrusive fathers during the holidays.
-2
Docuseries following a group of young adults confronting issues of love, heartbreak, betrayal, class, and looming adulthood as they spend the summer together in their beautiful hometown.
0
On the run in the year 1987, Bumblebee finds refuge in a junkyard in a small Californian beach town. Charlie, on the cusp of turning 18 and trying to find her place in the world, discovers Bumblebee, battle-scarred and broken.  When Charlie revives him, she quickly learns this is no ordinary yellow VW bug.
-2
A satirical half-hour series from comedian Sacha Baron Cohen exploring the diverse individuals, from the infamous to the unknown across the political and cultural spectrum, who populate our unique nation.
-3
A dark, edgy look at life as a Junior-Executive-in-Training at your average, soulless multinational corporation. Matt and Jake are at the mercy of a tyrannical CEO and his top lieutenants while navigating an ever-revolving series of disasters. Their only ally is Human Resources rep Grace.
0
Follow a group of American celebrities living together in a house outfitted with 87 HD cameras and more than 100 microphones, recording their every move 24 hours a day. Each week, someone will be voted out of the house, with the last remaining Houseguest receiving a grand prize.
2
In a small rust belt town in post-recession America, a one-dollar bill changing hands connects a group of characters involved in a shocking multiple murder.
-3
France, June 1944. On the eve of D-Day, some American paratroopers fall behind enemy lines after their aircraft crashes while on a mission to destroy a radio tower in a small village near the beaches of Normandy. After reaching their target, the surviving paratroopers realise that, in addition to fighting the Nazi troops that patrol the village, they also must fight against something else.
-4
After being gone for a decade, a country star returns home to the love he left behind.
1
Lissa, a twenty-year-old girl trapped in rural Pennsylvania, grapples with sex, drugs, love and loss. When a possible pregnancy forces her to take a hard look at her life, both her and the structure of the film mature, illuminating a brighter path ahead.
0
An MIT grad student and a tech superstar bring a low-level Pentagon official a staggering discovery that an asteroid is just six months away from colliding with Earth.
0
Four lifelong friends decide that their lives could change by becoming nasty and reading Fifty Shades of Grey in their monthly book club to get inspiration on how to handle sexual pleasure at an elderly age.
1
When Pete and Ellie decide to start a family, they stumble into the world of foster care adoption. They hope to take in one small child but when they meet three siblings, including a rebellious 15 year old girl, they find themselves speeding from zero to three kids overnight.
-2
The story of a mentally unstable loner lost in a life forced upon him. By night Oliver aimlessly wanders the streets and bars on what can only be described as a truly shocking and humiliating killing spree. His only savior and possible way out of a life he is desperate to escape comes in the form of the beautiful Sophia with her sweet eccentricity and naivety to the danger she has put herself in.
-6
The story of the mysterious and brilliant Jack Parsons in 1940s Los Angeles as by day he helps birth the discipline of American rocketry and by night is a performer of sex magick rituals and a disciple to occultist Aleister Crowley.
0
Devoted lifeguard Mitch Buchannon butts heads with a brash new recruit. Together, they uncover a local criminal plot that threatens the future of the Bay.
-3
The world's most beloved fairy tales reimagined as a dark and twisted psychological thriller.
-1
Dave, an artist who has yet to complete anything significant in his career, builds a fort in his living room out of pure frustration, only to wind up trapped by the fantastical pitfalls, booby traps, and critters of his own creation. Ignoring his warnings, Dave’s girlfriend Annie leads a band of oddball explorers on a rescue mission. Once inside, they find themselves trapped in an ever-changing supernatural world, threatened by booby traps and pursued by a bloodthirsty Minotaur.
-4
The untold story of nothing less than the birth of rock ‘n’ roll. Guided by Sam Phillips, young musicians like Johnny Cash, Elvis Presley, Carl Perkins and Jerry Lee Lewis combined the styles of hillbilly country with the 1950s R&B sound created by artists like Muddy Waters, B.B. King, Fats Domino and Ike Turner, and changed the course of music forever.
0
Things spiral out of control in a high school in Manhattan when a terrible accident involving a science experiment injures a kid for life.
-1
A lesbian bachelorette weekend goes awry when one of the brides admits she's never had an orgasm.
0
After living in an old mansion for almost 10 years a family suddenly discovers a ghost-like presence trying to communicate with them. A super-natural thriller.
0
Recent college graduates joyride in a stolen cop car only to uncover a secret that will doom mankind.
-2
An aggressive race of aliens took over Planet Earth and humanity's at its end, living in giant bunkers below ground. Young Military rookie S.U.M.1 (Iwan Rheon) is sent to the surface to save a group of unprotected survivors.
0
Dr. Dylan Reinhart, a gifted author, university professor and former CIA operative is lured back to his old life by tenacious top NYPD Detective Lizzie Needham. Though Dylan and Lizzie initially clash, when it comes to catching killers, they make an ideal team.
2
In the near future where humanoid robots are common in society, the mob reprograms a female android to think and feel in order to use it as a contract killer. This has dangerous consequences as she develops a relationship with her creator while also slowly becoming a murderous psychopath.
-4
The tragic and controversial story of Cameron Todd Willingham, who was executed in Texas for killing his three children after scientific evidence and expert testimony that bolstered his claims of innocence were suppressed.
-3
Technology brings us closer. Or perhaps it brings strangers, a little too close. But how much can you really trust someone? With a new ride share service, you never know who will be getting in a car with. Or if you'll ever get out.
0
Riko lives in a small town in the middle of nowhere (Waikato, New Zealand). After aliens crash land near his house, an unlikely relationship develops. They are pursued by a fame-hungry blogger and alientologist who has tracked their movements and plans to reveal all to the world.
-2
Born with an energetic power to absorb fear from others, a young woman must find love to balance the fears of her own and fight an ever growing storm of negative energy.
-1
In a fragile relationship, a husband wants to impress upon his pregnant wife his seriousness in being a good father, so he whisks her away on a babymoon travel holiday to the most exotic, beautiful, Instagram -able, country imaginable, which unbeknownst to him is experiencing a political revolution!
1
This six-part docuseries focuses on the killing of unarmed Florida teenager Trayvon Martin, whose killer was allowed to go free after he claimed self defense.
-1
From the 1920s through the 1960s, America transformed from a young country on the rise into a global superpower. Using digital colorization technology, we present these formative decades as few have seen them, revisiting 50 vibrant years of good times and great despair, technological triumphs and natural disasters, and global villains and national heroes.
3
Extreme athlete turned government operative Xander Cage comes out of self-imposed exile, thought to be long dead, and is set on a collision course with deadly alpha warrior Xiang and his team in a race to recover a sinister and seemingly unstoppable weapon known as Pandora's Box. Recruiting an all-new group of thrill-seeking cohorts, Xander finds himself enmeshed in a deadly conspiracy that points to collusion at the highest levels of world governments.
-6
A group of young men dare a classmate to reach the porch of a legendary old house, said to be haunted by the thirteen victims of a family massacre. In hopes of making a viral video they arm him with a video camera to prove he was there or to capture him fleeing in terror before even reaching the house, as others have. When he doesn't return, the guys must go in to get him. Inside they discover the truth about the house, the fate of their friend and their own fate as well.
-1
A detective investigates a murder, only to find that the victim is... himself. Soon, he discovers multiple versions of himself, not all of them friendly.
0
Determined to gatecrash her ex-lover's funeral on glamorous French hideaway Île de Ré, former Hollywood siren Helen escapes her London retirement home with help of repressed English housewife Priscilla and they hit the road together in a race to get to the funeral on time.
1
In this post-apocalyptic-western, Alexander Dante has lived the past 10 years in exile for the killing of Edwin, his beloved brother. Then one day he's astounded to receive a letter, purportedly from Edwin. The letter states Edwin now lives in the distant village shown on the enclosed map. At first, Alexander dismisses the letter as a hoax but there's something about the letter that rings true. He treks through a hard and hostile land that at long last opens up into a tranquil village. There, he's stunned to confront the impossible: his brother is very much alive. Alexander is overjoyed to see his brother but he is tormented as he knows he has killed him. Now Alexander must root out the truth -- whatever the consequences.
-4
Based on a true story, and set in late 1990 against the backdrop of the first gulf war, An American in Texas is the story of lifelong friends as they reach the cusp of adulthood and must decide between the hollow values of corporate careerism; or the narrow way of individualism and freedom.
0
A paranormal investigator, trapped in a haunted skyscraper on Christmas Eve. The skeptical young woman, Georgette Dubois, is horrified once confronted with the reality of the supernatural. She risks life and limb to escape her ghoulish prison, stranded on the 11th floor.
-5
Kara and Jessie are two teenage girls from very different worlds, but with a little Christmas magic, they find they have much more in common than they ever imagined.
1
Single father Aaron fights to save his 12-year-old hemophiliac son after becoming infected with vampire blood.
-1
When Juliet Capulet (of Shakespearean fame) is plucked from death and turned into a vampire, she is forced to live all eternity without her sweet Romeo. Now, 800 years later, Juliet meets a young woman who captures her heart again and teaches her that love and loss are all a part of life, and that a life without love is no life at all.
2
Every Marine has a story, some they're proud of, other they'd rather forget. After coming home from his tour of duty in Afghanistan suffering from PTSD, Luke Stephens wants nothing more than to forget. What happens when our soldiers come back to Another Stateside?
0
A couple on the run battle to save their daughter from possession by a demon.
-1
Frankie Gaines looks like a typical teenager, but she's actually a cutting edge, experimental android who must hide her true identity to avoid being tracked down by the evil tech company EGG Labs.
0
Set in 2019, The Beyond chronicles the groundbreaking mission which sent astronauts - modified with advanced robotics, through a newly discovered wormhole known as the Void. When the mission returns unexpectedly, the space agency races to discover what the astronauts encountered on their first of its kind interstellar space journey.
1
"Zac and Mia", based on the novel by A.J. Betts, about 2 teens battling cancer in the same hospital. In the real world, Zac and Mia would have pretty much nothing in common, but in the hospital, where they're the only 2 teens on the ward, they develop an unbreakable bond. If cancer is the variable that changed everything, the only constant is their ever-deepening need for one another.
-1
A comedy that tells the story of a small New Jersey town on the night of Orson Welles' famed 1938 War of the Worlds radio broadcast, which led millions of listeners to believe the U.S. was being invaded by Martians.
2
An abandoned paramour tracks her lover down to a distant lighthouse. When she finds her beyond hope, she must find a way to save a child from the malignant spirit of her deceased father and the madness of her mother.
-1
Ashley, Brianna, Jade, Kayla and Lexi are five teenagers who must navigate the complexities of pregnancy and becoming young mothers.
0
A thrilling look into the real-life David vs. Goliath stories of heroic people who put everything on the line in order to expose illegal and often dangerous wrongdoing when major corporations rip off U.S. taxpayers.
-1
Three inept night watchmen, aided by a young rookie and a fearless tabloid journalist, fight an epic battle to save their lives. A mistaken warehouse delivery unleashes a horde of hungry vampires, and these unlikely heroes must not only save themselves but also stop the scourge that threatens to take over the city of Baltimore.
-3
Each week, Jefferies tackles the week’s top stories from behind his desk and travels the globe to far-off locations to provide an eye opening look at hypocrisy around the world. Featuring interviews, international field pieces, and man on the ground investigations, Jim tackles the news of the day with no-bulls**t candor, piercing insight and a uniquely Aussie viewpoint.
0
A research group makes a curious discovery that may lead to the fountain of youth. Meanwhile, an ancient Native American fable sends an ominous warning that those who disrespect nature will learn to fear the rain. Nature's law has no mercy.
-2
When Virginia and her husband Jack spend a long weekend in the idyllic countryside, they encounter a creature that tears their lives apart. While the attack has an effect on each of them, it brings out the worst in Jack.
-1
The impossible-to-believe, often absurd, true stories about the most unexpected women — PTA moms, country-club chairwomen, and more — who took big risks, pocketed big cash and then served hard time.
-4
Rose spends her days fishing near the beautiful lake house she’s called home for 50 years. She’s not getting any younger and her daughter Patti worries about Rose being all alone, but the stubborn matriarch will not sell. There are memories here that she doesn’t want to leave. These come flooding back one weekend during a visit from Patti and granddaughter Allison, when a long-forgotten roll of film reminds Rose of the summer she met and fell in love with the bold and beautiful Louise.
0
After the loss of her family, a young woman struggles to survive in a world long-since destroyed by disease; but when a lonely traveler offers her a place in his community, she must decide if the promise of a better life is worth the risk of trusting him.
0
The relationship between Arthur, the gruff owner of a small donut shop, his enterprising new young employee, Franco, and their loyal patrons in a quickly gentrifying Chicago neighborhood.
1
Estranged siblings Marcus and Michelle Brinks are reunited after the sudden death of their parents, two globe-trotting aid workers who they barely knew. In the days following the wake, the siblings can't help but turn their current lives and relationships into chaos as they're forced to reckon with their shared past.
-3
A rookie detective, son of a dead disgraced cop, works to solve his first major case while under the watchful eye of a ghost-like assassin.
-2
Recovering addict Will Parker experiments with 'Z', a black-market sleeping serum, in order to cure his insomnia. Instead, the drug sends Will's consciousness one day into the future, where he's the prime suspect in the disappearance of a young girl he hasn't even met - yet.
-1
Garden gnomes, Gnomeo & Juliet, recruit renown detective, Sherlock Gnomes, to investigate the mysterious disappearance of other garden ornaments.
0
An AWOL soldier with PTSD goes into hiding along with his brother and a few friends. They retreat into a rural farm area unaware that the outside world has ceased to function. On their way back to civilization, his brother is attacked by an infected farmer. He quickly morphs into a rabid animal and lives for exactly three hours. Realizing they are in grave danger, they head back to the forest trying to outlive the legions of the infected.
-5
After the first manned mission to Mars ends in a deadly crash, mission controller Mackenzie 'Mack' Wilson assists an artificial intelligence system, A.R.T.I. Their investigation uncovers a mysterious object under the surface of Mars that could change the future of our planet as we know it.
-5
Three American tourists follow a mysterious map deep into the jungles of Japan searching for an ancient temple. When spirits entrap them, their adventure quickly becomes a horrific nightmare.
-4
An oily, amoral estate agent is preyed upon by one of his victims, who quietly moves into his flat and, unseen, begins a deliciously malicious campaign of revenge.
-2
A filmmaker discovers a box of video tapes depicting two students' disturbing film project featuring a local horror legend, The Peeping Tom. As he sets out to prove this story is real and release it as a work of his own, he loses himself and the film crew following him into his project.
-1
This spy thriller pits veteran-turned-artist, Daniel Cliff, against US intelligence, and secrets from his past lead to hellish journey of lies, betrayal, and government retribution.
0
The craft, creative process and complicated lives of Stand-up Comedians.
0
A self-centered hypochondriac returns to his quaint hometown to visit his five childhood doctors in a single day, avoiding everyone from his past except his hapless former best friend whom he ropes into driving him around.
1
Dan signs on to travel with a mysterious stranger named Jane, laying cryptic tiles in the roads of cities across America. As they argue over what the tiles mean, they come to realize that it's up to each of us to answer the questions that haunt us.
-3
A particle physicist grieving over the loss of her husband in a car crash uses a revolutionary machine to bring him back, with dire consequences for her family.
-3
In this social experiment, 10 smoking-hot celebrity singles think they're running away to a tropical island for a once-in-a-lifetime romantic vacation full of fun and sun. But just as the party is getting started, unwanted guests arrive to break up their good time.
1
A rebellious teen is sentenced to serve time on his uncle's organic farm, only to learn that there's much more to the farm than meets the eye.
-1
A crime-drama, about the cultural aversion of a group of punk rockers in a conservative Texas town. Their ongoing battle with a rival, more-affluent clique leads to a controversial hate crime that questions the morality of American justice.
-6
Hacked footage reveals mysterious events surrounding the abduction of four teenagers.
-1
Ink Master competitors travel the country and go head to head with some of America’s most talented tattoo artists. Contestants face a variety of tattoo-based challenges to see who has what it takes to beat the Angels and earn a spot on Ink Master.
5
The survivor of a deadly virus is given the chance to reclaim his lost life by stopping the man responsible for the disease.
-1
A retelling of Romeo and Juliet set within the Los Angeles underworld.
0
Sleuthy foster siblings Max, Tess, Sal, Anika, and Daniel Hunter find new quests, more mysteries, and even new Hunter sibs!
-1
A drug addict awakens to find the girl he is with dead, and must rush to escape the consequences.
-2
President Trump is bypassing the crooked media by hosting a late-night show direct from the Oval Office. No unfair questions from reporters, no awkward photo ops with German ladies, and no bedtimes. The weekly series will have the best guests, the “hottest women,” and only the nicest of questions.
2
Miami is the story of two sisters who have grown up separately. The older sister, Angela, is an exotic dancer with her own touring dance group. The younger, Anna, on the threshold of adulthood, lives in a small town working in sales. When their father dies, Anna looks for and finds Angela. The fascinating, high-strung Angela asks the timid Anna to accompany her on tour and, before long, trouble from Angela’s past catches up to them and the sisters’ love is put to the test.
0
A single mother entertains a dangerous fantasy after she's recruited to live in an unsold property in an empty development.
0
Brilliant but insecure, young Ryan has 24 hours to save the store he hates in order to win the heart of the girl he loves.
1
Nico is a famous actor in Argentina, but in New York, nobody takes notice. He needs to juggle bartending, babysitting and odd jobs to keep himself afloat. But when old friends from Buenos Aires come to visit, he needs to juggle the image of his old life with the reality of the struggling actor in New York City.
-1
With his marriage and career against the ropes, dejected author Jack Spencer travels with his wife, Amanda, to an isolated glamping retreat in search of a spark. When a surprise double booking finds their private retreat anything but private, Jack spins into a comedic exploration of love, lost dreams, small-town-wisdom, and friendship with a miniature donkey to get over himself before he loses all he holds dear.
-5
One night, three bored young men in a car decide to pay a visit to an older man they only know vaguely. At first he’s glad to see them but soon afterwards thinks they’ve come to burgle him and turns a gun on them. When the police turns up, they’re all taken into custody.
0
Vera, Ray, and Sam, a seemingly normal family, are haunted by more than mere ghosts. The lingering horror of their past threatens their ability to function as a loving family until they become enlightened by a mystical encounter. From that moment on, they're thrust into a horror worse than anything they've ever experienced. Personal demons manifest and tear the family apart from the inside out as they come to terms with their past.
-1
Kaufman's Game follows Stanley, an unemployed young man with a passion for boxing, who is keen to improve his strength and stamina. When a stranger approaches him outside the gym with the offer of a specially produced steroid, Stanley is drawn into the ever more violent operations of a powerful organisation, unwittingly entering into a series of tests designed to prove his mettle. This is a film about power, determination and being your own worst enemy. It celebrates the archetypes of classic Film Noir, and the dark, conspiratorial storytelling technique of Franz Kafka, but with a contemporary minimalist aesthetic.
-2
A young woman participates in a medical study. After a series of nightmares and unusual side effects, the line between dreams and reality is blurred. She finds herself on the run from those involved, desperate to uncover the truth.
-4
Sara is in crisis. Engaged for one day, she decides to call off her marriage. Quirky, beautiful, and tender, she is working on being bold. Having had a short relationship with a woman in college, Sara seeks that feeling again. How can she have a woman’s touch without giving up men entirely? This question launches Sara on a bittersweet journey filled with self discovery, sexual awakening, beautiful women and sometimes men.
2
Emptied out in Los Angeles, a heartsick gambler from Kentucky decides to confront demons past after a run-in with a mercurial Hollywood drug dealer.
-2
Four childhood friends are reunited at a wedding in Rio. But when they accidentally kill a young man during a party that gets out of hand, they are forced to flee the city in a crazy adventure.
-3
Astronaut Kathryn Voss, sole survivor of a disastrous space shuttle mission, is a distraught mother desperate to reunite with her terminally ill daughter but becomes a wanted fugitive after discovering she possesses an extraordinary gift.
-2
Del Shores' follow-up to "Sordid Lives" revisits Winters, Texas for a showdown between the gradually liberalizing locals and the new fundamentalist preacher in the wake of the Supreme Court's marriage equality decision.
0
Alex, a lovable, unassuming dog trainer is in love with a great woman - Katherine - smart, talented, from a good family. Katherine adores Alex's quirky sense of humor, honesty and capacity to listen. Having decided to pop the question, Alex is blindsided when Katherine produces a detailed list of well-thought-out "improvements" she feels will tweak Alex on their way to becoming the ideal couple. Alex instinctively rejects the suggestion that he needs to change anything. But with the threat of a new competitor, Alex decides to "do the list." Guided by a coterie of friends that include: Dave, Alex's loyal childhood buddy, best female friend Lily, her husband Michael, and their 8 year old son, Nicky, Alex's journey has him reconsider and question his beliefs, values and world.
10
When Arizona couple Dean (Chris Modryznski) and Darren’s (Cole Burden) dream wedding in Niagara Falls doesn’t go quite as they planned, they make the most of it in a ragtag roadside motel run by a professional shyster. RENT’s Wilson Heredia, Mel Gorham, and Diane Gaidry star in Scott Rubin and J. Garrett Vorreuter’s charming, offbeat romantic comedy. A Gravitas Ventures release.
0
Dr. Abe Mandelbaum has just moved into a retirement home. After forming an unlikely friendship with a womanizing gambler, their relationship is tested when they each try to convince a mysterious nurse that they are her long-lost father.
-3
After Aaron is charged with murder, he uses the power of prayer to help prove his innocence turning his life around and saving his son Jalen from the street life before it is too late.
-1
A human girl and her warrior comrades from another world travel to Earth to save humanity from an impending apocalypse.
-2
An action/thriller set in 1977 about four friends who reunite for a bachelor party to hunt for buried Prohibition money on Kentucky's Bluegrass Bourbon Trail, only to become ripped apart by greed, corruption, and murder.
-4
Three beautiful aspiring actresses embark on a mission to break into the competitive Los Angeles acting scene only to discover the road leading to stardom comes at a price.
2
A former gang member and her young cousin become embroiled in a vendetta between L.A. gangs, as rivals seek revenge for old crimes.
-4
Daphne is a young woman negotiating the tricky business of modern life. Caught in the daily rush of her restaurant job and a nightlife kaleidoscope of new faces, she is witty, funny, the life of the party. Too busy to realise that deep down she is not happy. When she saves the life of a shopkeeper stabbed in a failed robbery, the impenetrable armour she wears to protect herself begins to crack, and Daphne is forced to confront the inevitability of a much-needed change in her life.
-1
A disillusioned young woman becomes a serial killer who targets wealthy land-owners, and a brilliant detective must use his unusual neurological condition to track her down.
-1
Lucid Dreaming forces the dreamer's dreamworld to merge with his waking one. But at what cost to the dreamer's grasp on reality? Dreams are doorways, but what are they really for? And, if you feel you must know, beware the TRICKSTER.
0
Join us as we tell the tales of history's most iconic female fighters, from the legendary Amazons of Central Asia to the gladiators of the Roman Empire to the all-female fighting force of West Africa.
1
A dark drama set on the streets of Las Vegas, following a driver/serial killer with multiple personality disorder, and the rogue detective hunting him down.
-4
A teenager tries to deal with his guilty conscience after his role in a prank that causes the death of his girlfriend's older brother.
-2
Allan is a married father of three whose sex life takes another hit when his wife can no longer take the pill. He soon finds himself with an appointment for a vasectomy and a nagging identity crisis. Although he is by all reasonable accounts a good, responsible man, the thought of getting "fixed" drives him to lose himself to an action-packed midlife crisis along with his best friends. Allan will refuse to grow up anymore.
-2
Former high school friends run into each other years later and drunkenly decide to make good on their promise to marry each other if they're both still single by 30 - only to discover too late all the things they liked about each other when they were younger have changed.
3
James, a college freshman and computer genius, is enlisted by his womanizing roommate, Lance, to code the ultimate hook-up app. But when James discovers that his divorced mother is using the app, unexpected consequences ensue.
-1
Rufus is a dog but turns into a human with a pendant. He meets a girl named Kat who asks him to go out. Kat is a cat who can also turn into a human as well.
1
Three low-life criminals attempt to rob an elderly dying woman's home, but her live-in nurse turns out to be much more trouble than they bargained for.
-3
When US Marshal Moses White is called to the Wyoming Territory town of Dogwood Pass he never realized the corruption and deceit that awaited his arrival. Sometimes one small seed of seduction and greed planted in the right situation can cause a whole town to go bad. One bad character leads to another and it all starts with a dead husband in a western town.
-4
After two tours of duty, Joe's life unravels as he waits for PTSD treatment.
0
When nice-guy Jeremy Martin puts on mysterious virtual reality glasses at the mall, he suddenly loses his “inside voice” and starts spouting every thought he has out loud. Making matters worse, Jeremy is running for student council president against his classmate Milly, who is full of great ideas to improve the school. Desperate to get back to normal, Jeremy and his sister Victoria must figure out how to convince his brain that he can speak up for himself.
-3
Four 22 year-olds on a Mexican road trip seem bound for disaster until they, and their trip, are unexpectedly redeemed by a series of miraculous events.
-1
A weekend at a cottage takes a turn for the worst for a group of aspiring actors when one of them finds out they've booked a blockbuster role, and the rest of the group's jealously takes hold where there's no one else around.
-1
A decade after An Inconvenient Truth brought climate change into the heart of popular culture comes the riveting and rousing follow-up that shows just how close we are to a real energy revolution. Vice President Al Gore continues his tireless fight, traveling around the world training an army of climate champions and influencing international climate policy. Cameras follow him behind the scenes—in moments private and public, funny and poignant—as he pursues the empowering notion that while the stakes have never been higher, the perils of climate change can be overcome with human ingenuity and passion.
1
A classic, will-they-won't they romance story. Charley is living your typical teenage girl’s life. Ben, Charley’s not so secret admirer, isn’t living at all. But a little thing like death can’t stop these two teens from falling in love. Or maybe it can.
2
Deeply upset by the passing of his best friend, a professional BMX rider accepts to partake in a race in Chile. Everything goes as planned until he stumbles upon a man who is infected by a mysterious virus and becomes the target of local assassins.
-5
Upon his return home, a U.S. Marine must face up to the consequences of a shameful tragedy that has defined his past before he runs out of time.
-2
A woman, who gets released from prison and reunites with her sister, discovers she is in an online relationship with a man who may be "catfishing" her.
-1
A troubled family's problems come to a head during a stay in a seaside town.
-2
Two sisters come together to spend Christmas with their families in their recently deceased parents’ falling down country house, with hilariously chaotic consequences, as ancient sibling rivalries flare up again to sabotage the hoped for season of good will.
-4
A reclusive programmer, his sister and her new boyfriend are held hostage by a rapidly evolving computer virus.
-2
A pair of Tactical Units Police Officers from different walks of life come together to rescue an ambassador's daughter.
0
A film about growing apart when growing up. Two best friends relationship strains when one deals with her newfound sexuality and the other with breaking up with her long term boyfriend.
-1
Joanne, lead singer of the once-popular 1990s Britpop band the Filthy Dukes, mistakenly enrolled in university after a drunken night out with her friend Sara. Determined to give the young students a run for their money as a party animal, she finds they aren’t interested in rock ’n’ roll. However, love and new beginnings might be on the cards for rocker Joanne.
-1
Two mismatched students at a magical school for knights in training form an unlikely alliance to protect each other’s secret and pursue their dreams.
1
The human race is thrown into chaos as an alien invasion takes control of the planet in an effort to find one boy out of 7 billion people who holds the power to destroy them.
-2
Pascal Marchand arrived in the mythical land of Burgundy to harvest the grapes at age 21. Now 30 years later, he is a renowned wine artist and innovator. Shot over the catastrophic 2016 season, the film is both a love letter and a cautionary tale.
0
A man in his mid-20s, still living at home with his mother and stepfather, puts all his eggs in one basket: the girl who works at his local coffee shop. The problem is, she has a serious boyfriend. As they become closer, the line between friendship and intimacy is blurred, and the situation forces both to examine where they are in their lives.
0
After a teenager's friends die in an accident, he finds running allows him to remember them perfectly. Running, however, also brings him notoriety. He is caught between keeping the past alive and making new memories in the present.
-1
When Michael Briskett meets the perfect woman, his ideal Christmas dream comes true when she invites him to her family's holiday celebration. Dreams shattered, Michael struggles to survive once he realizes HE will be Christmas dinner.
2
Two "down on their luck" buddies are convinced by a third to take a vacation. Only after landing in the third world country do they realize that they are there to attempt to capture the United States' most wanted criminal - with no military training.
0
When Irene gets suspended, she must endure two weeks of community service at a retirement home. Following her passion for cheerleading, she secretly signs up the senior residents to audition for a dance-themed reality show to prove that you don't need to be physically "perfect" to be perfectly AWESOME.
4
What if you had only five days to figure out... everything.
0
A daredevil photographer, an aspiring swimsuit model, and a midwest girl next door are all looking for the same things from their Instagram accounts––a little love, acceptance and, of course, fame––and they’ll do just about anything to get it.
1
The three-week event will explore one of the most pervasive and consistent issues online: internet trolling. Using the "Catfish" brand of investigating the truth, host and executive producer Charlamagne Tha God, and his co-host, social media entrepreneur Raymond Braun, will confront the issue head-on and bring subjects face-to-face with their aggressors for the first time.
-4
Post-grad Sarah is going to have her first ‘grown-up’ party on one of the biggest party nights of the year, the night before Thanksgiving. Sarah soon finds out that growing up is not all she thinks it is as she finds out how much, and, how little, her friends have changed.
0
Lonnie, a crop duster pilot, must lead a mismatched group of survivors to escape the deadly zombie horde after an experimental chemical, intended to control the invasive kudzu vine, transforms the citizens of Charleston, MS into zombies.
-3
Tim and his team are the rising stars of the ghost hunting game. One thing they all like better than a good haunt is a great prank. When the team arrives at a new investigation, they cannot figure if the occurrences are part of some elaborate master prank or if the house is actually haunted. Unfortunately, they don't find the answer until it is far too late.
3
A romantic comedy about a woman who thinks all people eventually cheat and a man who challenges her to a competition to prove that she's wrong.
-1
A young American girl has a chance of a lifetime to visit her ancestors castle in the south of France, only to find that her family is hiding deep, dark secrets about their nefarious past, far away from prying eyes.
-2
A woman who is fed up with her mundane lifestyle hatches a scheme to make her family instant celebrities by having her ex-boyfriend kidnap her 11-year-old daughter for a month.
-1
When Colin Warner was wrongfully convicted of murder, his best friend Carl King devoted his life to proving his innocence.
1
When a scientist and a pilot volunteer for a high profile space mission they are told their goal will be to do what no one has ever done before to find the end of the universe. After 13 years in space the ship crashes through the end of the known universe and into the unknown...
-2
On prom night, a group of kids wander deep into the woods and come back changed forever.
0
Shifting from one pocket to another, from one man's drama to another, a lowly dollar bill, 'one buck' takes us on an odyssey through the heart of a forgotten town in Louisiana.
-1
A lifetime hood has one night to repay a debt to an up and coming shot caller before he can leave town, all the while trying to duck a crooked P.O., a former partner with a grudge and a burned out Narc Cop, as well as do his best to win back the woman he left behind, who has spent her last few years paying a hard price for his mistakes.
-3
A faithful Jehovah's Witness is forced to shun her own sister because of a religious transgression. As the separation draws out, she starts to question the meaning of God's love.
0
Tearing himself away from the bedside of his coma-bound wife, a police Sergeant investigates a series of age-related murders, only to discover that time can be far more destructive and cruel than the idealistic killer........
-4
Based on the recurring TripTank sketches, Jeff And Some Aliens follows Jeff, the world’s most average guy, and the three aliens sent to study him to determine whether or not humanity should be destroyed. Jeff’s mundane life is constantly thrown into chaos by his extraterrestrial guests – it isn’t always easy having roommates who force you to participate in grueling intergalatic decathalons or perform Azurian honor killings to restore interstellar balance
-1
Based on true events (mostly), Freddie, a 15-year-old runaway becomes intimately acquainted with California’s “Murder City” after being released from jail, just shy of midnight. Absurdly self-reliant, completely broke and 120 miles away from her friends she has nothing to depend on but her wit and youthful charm.
-2
The experiences of four British men and women who leave their lives behind to join ISIS in Syria.
0
Jennifer Conrad is a small-town girl starting over in the big city. Fleeing an abusive relationship, all she wants is a chance to begin again. But it is hard to start over when something is eating you while you sleep . . . one painful bite at a time.
-4
An American mother searches for her daughter who was kidnapped by human traffickers in Central America.
0
Dating My Mother explores the intimate and sometimes tumultuous relationship between a single mother and her gay son as they navigate the dizzying world of online dating.
0
When an archaeologist discovers Sir Francis Drake's lost treasure in the Sahara Desert, it is promptly stolen and she sets off on a global quest to steal it back.
-2
A man struggling to find purpose in life is enlightened by a drunk ailing widow.
-3
After examining evidence both old and new, the team questions O.J.’s role in the crimes. Was he involved in these murders…or was another person was responsible? Dr. Henry Lee, a forensics expert from the original investigation, discusses the confounding details and problems with the preliminary evidence collection from the crime scene, and what impact that may have had on the trial.
-4
Acid Horizon follows marine ecologist Dr. Erik Cordes on a harrowing deep-sea expedition to track down the "supercoral", a strain of the deep-water coral Lophelia pertusa that seems to possess the unique genetic capability to thrive in a low-pH ocean.
1
After the mysterious disappearance of their mother, estranged brothers reunite and discover an unknown supernatural force.
-3
An adventurous woman with a secret from her husband insists they go for a romantic camping trip in a remote wood to reconnect and share some quality time. But their idyll is shockingly cut short after a group of nearby hunters are brutally killed by a mysterious creature. Trapped inside their tent, the couple is forced to help one of the injured hunters and together they plan their escape. Is there really something supernatural hidden in the forest?  Or is it just their imaginations running riot. Soon they must determine if the real threat is inside or outside their enclosure
-4
After suffering a heart attack, a world-famous and hard-drinking actor is forced to drive across country with his estranged son—who testified against him in his parents' divorce—on one last madcap adventure.
-2
Blood runs rampant on Halloween night when a small town's Fright Fest becomes real inside the walls of a long abandoned asylum.
-2
Blood runs rampant on Halloween night when a small town's Fright Fest becomes real inside the walls of a long abandoned asylum.
-2
Young, up-and-coming photographer, Lana, begrudgingly attends the party of a pretentious and cool gallery owner in the hopes of meeting a respected dealer who may hold the key to her success. Quickly finds that the attendees of the party are more style than substance and her friend, the host, isn't at all what she seems.
1
When a single mother brings her young boy to church for healing, this lonely pentecostal minister is forced to confront the seemingly incurable illness of the child... and his own demons as well. The more he prays, the more things seem to spiral out of his control.
-3
Inspired by somewhat true events, "Get Big" follows the misadventures of two friends as they reconnect to attend a high school classmate's wedding. Alec is the charming troublemaker, while Nate provides the neurotic and awkward foil to his friend's unpredictable antics. "Get Big" takes place over the course of a crazy 24-hour period during which Alec and Nate cross paths with oddball cops, curmudgeonly neighbors, drug dealers, psychopaths, escorts and pretty girls, all while the clock ticks down their classmate's big moment.
-3
In the midst of family tensions, an egocentric free spirit who hits rock bottom finds unexpected success as a self-empowerment guru after publishing a self-help book.
-1
When an angry teenager discovers a close friend has been killed, grief jeopardizes his future and he finds himself engulfed in danger.
-4
A rogue police detective in search of his parents' killer is murdered and reborn the ultimate killer.
-3
A geneticist clones his dead wife, over and over, in an attempt to get her back exactly as she was.
-1
Frank Pierce leads a seemingly normal life, but when a disturbing past reemerges & something precious is taken from him, his mask of sanity loosens & unearths the urge to be violent once again.
0
A university research scientist, about to lose funding and status, has a lab accident and discovers he can see people's true intentions -- making his situation even worse.
-2
By 1933, Prohibition has proven a booming enterprise, where average citizens break the law, hide in the shadows and operate at night. The new world order has even lined the pockets of corrupt cops like Jack Malone. He collects a 'luxury tax' from every bootlegger and scofflaw in the small town he has sworn to protect. While shaking down the newest speakeasy in the local underground, Jack and his men uncover a clan of vampires hell bent on taking over the town. Now Chesterfield, an ancient vampire, and his horde must hide their secret at any cost. The bloody result leaves several bodies and innocent townsfolk taken as lambs to await the slaughter. With nowhere else to turn, Jack joins forces with a busboy and a crazy preacher to save the town and make a final stand against Chesterfield and his vampires.
-4
Oliver and Cassi, a couple from Brooklyn, spend the day apart, meandering NYC, each with their respective best friend, trying to decide whether or not they should stay together and renew their lease or call it quits after five years.
1
A serial killer strikes Sugar Grove, Virginia. A rising journalist comes to town to cover the story : her investigation will soon lead her to the town's darkest secret, at her own risks.
-2
On the heels of booking a life-changing motion picture, a film director drives away his girlfriend and aggressively re-enters the LA dating scene.
0
Two twenty-somethings move to San Francisco to chase their career, but end up chasing tail instead.
0
A team of paranormal investigators go on one last job to a haunted mental institution where children have reportedly gone missing. While searching for evidence of what is haunting the abandoned building, they stumble upon clues that reveal what made the former head doctor snap and go on a killing spree through the halls decades earlier. Unfortunately, the more they uncover, the more they struggle to make it out of the asylum alive because something inside wants that mystery to stay dead and buried.
-7
The all-new Double Dare with Liza Koshy has all the trivia, physical challenges, and obstacles for the messiest game show on TV!
-1
When a party bus on it's way to the Burning Man music festival breaks down in the desert and in the middle of a group of Satanic devil worshippers, all hell literally breaks loose. A massacre leaves seven survivors trapped in the bus, fighting for their lives while wondering if someone or others are not who they seem.
-8
Just because a journey leads you somewhere you didn't expect, doesn't mean you ended up in the wrong place.
0
A home-care nurse takes a job, but as it proves to be his toughest yet; he is inadvertently pulled into something much more sinister.
0
Two free-spirited stoners find themselves catapulted into 2016 after smoking some top secret pot created by the CIA in 1986. With 30 years of their lives lost, these now balding and overweight friends use their uncomplicated enthusiasm to get their lives back on track and figure out the modern world.
2
A man finds out he's in an open marriage.
0
When Chris and Andy order a model from an escort service, they find that something is unnaturally wrong with Natasha, something deadly wrong.
-4
When his girlfriend is kidnapped by an underground prostitution ring, a neighborhood loser clashes with a pimp, Asian gangsters, and renegade killers.
-4
When their latest scheme goes awry, Mayor Humdinger and his nephew Harold accidentally divert a meteor towards Adventure Bay. The meteor's golden energy grants the PAW Patrol superpowers. The heroic Mighty Pups are on a roll to super-save the day.
3
Follow the story of R&B pioneers Michael Bivins, Ricky Bell, Ronnie Devoe, Bobby Brown, Ralph Tresvant and Johnny Gill as they navigate fame from their native Boston to Hollywood and beyond.
1
Follow the young, hip-hop elite as they strive to either “make” or “maintain” a life in Miami.
1
The adventures of a caring and graceful 8-year-old princess, who's also a brave, determined knight.
2
Follows the story of Laura and Antonia, two friends who have to put their bonds to the test. They are lifelong friends, but they are like oil and vinegar, they love and complement each other. There is love and exhaustion in the marriages of both women, the passing of time makes them meet again with husbands and kids.
3
Bruce Willis goes from "Die Hard" to dead on arrival as some of the biggest names in entertainment serve up punches of their own to Hollywood's go-to action star. And with Roast Master Joseph Gordon-Levitt at the helm, nobody is leaving the dais unscathed.
-3
It is Christmas Eve, and a clumsy elf accidentally shrinks down two cousins into miniature sizes! The kids are then scooped up into Santa's sack and dropped off across the street at their neighbour's house. In order to make it home for Christmas (just one house away!), the tiny kids must comically work together and overcome holiday hazards to set themselves right and make Christmas magic happen! But, will the tiny kids get home on time?
0
In Wagtail Woods, little bird Becca and her Bunch of friends are ever ready for adventure. Happy bobble-hat-wearing bird Becca sees adventure in every situation, and as a result often bites off more than she can chew, landing herself and her Bunch--Russell, Sylvia, and Pedro--in some sticky situations. But in the midst of these 'oops' moments, Becca's unique ideas, heart, positive thinking, and leadership skills really shine. Thinking on her feet, Becca urges a generation of kids to aim high, have big ideas, and never give up.
4
The Wayne is a high-rise apartment building in New York City. Ansi, Olly and his sister Saraline are friends who call themselves Team Timber, dedicated to exploring the ever-growing mysteries of “Wayne Phenomena” in the building they call home. All manner of action, adventure and otherworldly awesomeness could be right down the hall – or twelve floors up! You never know what’s in store behind a Wayne door
2
Bob's team just got BIGGER with the most mega build EVER! Meet new team members Thud, Crunch, and former TV star Ace. They help Scoop, Muck, and Lofty clear the quarry to make room for an exciting new dam and reservoir. However, a rival contractor tries to undermine Bob and it's up to the team to save Spring City. Will they be up to this mega challenge or will it all end up washed away?
0
A beast named Bunsen, who is the first beast in his human school, and Mikey Monroe, his human friend, try to navigate through school life when a girl named Amanda wants Bunsen gone so that his kind will suffer from extinction.
-1
Two single parents stumble into the possibility of love for Christmas, only to discover that their daughters are embroiled in a nasty rivalry at school. When the rivalry gets out of control, can hope and healing lead everyone to a peaceful and merry Christmas?
-1
Sunny is a tween-age girl who runs her very own beauty salon in the seaside town of Friendly Falls. She learns that problems can be solved by using determination and creativity.
0
The disappearance of a young Cree woman in Toronto traumatizes her Northern Ontario family, and sends her twin sister on a journey south to find her.
0
Nickelodeon’s Sizzling Summer Camp Special features all of your favorite Nickelodeon stars as they head off to a sleep-away camp together — but they soon find themselves in danger! The friends find out that their campsite has been haunted. The mysterious and legendary creatures have been haunting the camp for years!  This is the third Nickelodeon Special in the series starring Nickelodeon stars such as Lizzy Greene, Jack Griffo, Kyla Drew Simmons, Jade Pettyjohn, Casey Simpson, and Mace Coronel.
-1
A recent high school graduate cares for his mother and navigates his first relationship in the wake of his father's suicide.
-1
When high-flying tech entrepreneur Carson Griffin believes himself guilty of killing a pedestrian while driving drunk, guilt and paranoia begin to unravel his life ahead of the launch of his new company as he plays a dangerous game of cat and mouse with June, the girlfriend of the deceased who is hell-bent on proving he is responsible.
-7
Henry Hart is a regular kid in the eighth grade who has a not-so-regular, part-time gig as Kid Danger. Kid Danger and his sidekick-in-training Captain Man embark on new adventures as they battle bizarre criminals and super villains.
-3
Bitter Melon is a "home for the holidays" dark comedy where a Filipino-American family plots to kill an abusive member.
-5
Roy Wood Jr. tackles freeway protests, examines the origin of the blues, and explains why the Confederate flag is sometimes helpful.
0
A fame obsessed average Joe escapes a mental institution with a band of misfits for one last desperate attempt to be famous.
0
A dramatic thriller about Daphne, a young woman who moves to the Oregon Coast with her boyfriend, Roger, when he inherits his childhood beach house, only to discover that Roger hasn't been completely honest about his past.
1
Heartwarming stories from the largest animal rescue center for orangutans in the world where the caring staff do their best to help the young apes adjust, come of age and eventually return to the jungle.
2
Readers across the world are in love with author Sally Carmichael's series of romance novels that chronicle the epic love story between a human girl and a merman. But no one knows that Sally Carmichael is really Simon Hayes, a bitter, serious novelist - and Simon would like to keep it that way. When he is forced to meet a movie star about the movie adaptation, his life of anonymity starts to crumble.
1
When Sarah accidentally proposes to her girlfriend in Provincetown, the mixup turns their loving relationship into a minefield of marital exploration.
1
A father must protect his son from government agents after the troubled adolescent correctly predicts three inexplicable events of potentially apocalyptic import.
0
Six romantic stories unfold in a New York hotel during the week leading up to Christmas.
2
A comedy about two estranged sisters brought back into each other's lives by the impending death of their grandmother.
-3
A young man, Guy, discovers the woman he's been sleeping with is not only married, but married to Burt Walker, a notorious low-level crime boss.
-2
A deadbeat drunk and a junkie hooker join forces to take on the city, each other, and their own personal shortcomings while trying to scam $98 for bus tickets out of town.
-4
When Mark Myers and Zane Daniels meet each has yet to find ONE THING that makes them even remotely interesting. Together, they will embark on a journey most people will never take. A journey inward, to find their one true talent.
2
In his one-hour special, Joe DeRosa leaves no subject unexplored. He discusses topics such as the truth about golfers, the correct way to use Tinder, and why it should be OK to punch people in the face.
0
A broken, guilt-ridden young vet attempts to make amends while renting a room from his fallen brother's widow.
-2
A modern day version of The Prince And The Pauper where one man from a poor background ends up taking over another mans life from the entirely opposite end of the spectrum. Jamie Poulton - lead singer of tribute act 'Dive' - gets the opportunity to replace the iconic Donny Martin from the boy band group D5 with ever gripping twists and turns. This British film asks the question could one man live in another mans shoes and actually get away with it!?
-1
A Japanese artist visits the Highlands of Scotland to paint, but becomes the target of a sadistic killer. Alone, suffering from exposure and hunted, he must find a way to survive.
-2
The 1953 coronation of Queen Elizabeth II marked the moment when she was formally recognized as England's new sovereign in front of God and her subjects. Three hundred million people tuned in, making it the most watched event in history. Now, for the first time, Her Majesty shares memories of the ceremony. Join us as we unlock a thousand years of coronation secrets and provide an unprecedented, up-close look at the legendary Crown Jewels.
2
Adrian, an irrepressibly chirpy tech nerd, has OCD. Grace, a beautiful street artist, has multiple personality disorder. It's a love story that seems impossible. But what if it works?
2
Trish and Deb Murdoch are in a rut. After 14 years together and raising two daughters, they find themselves in a mid life crisis where grief and attraction threaten their domestic nucleus.
-3
Witness iconic assaults, intense battles, and intimate moments of the Pacific War, in color.
-1
Giancarlo "Eddie" Marturano, a down and out gambler trapped in the world he's created for himself. Like his adopted home of Atlantic City, Eddie is beaten, down on one knee, struggling mightily to rise to his feet again. His only salvation is his beloved Sandra and their hope of a better future. When he and his partner in crime, Christian Flynn, stumble onto the deal of their lives, will it finally be their avenue out of town?
0
Roastmaster Jeff Ross explores the world surrounding the U.S.-Mexico border, speaking to immigrants, DREAMers, detainees, border patrolers, human traffickers and Trump supporters. Then he puts on a show next to the border wall to roast American immigration policies, random audience volunteers and every ethnicity imaginable.
2
A retired MMA world champion gets caught up in an underground fight club called the "Blood Circus" and must fight to survive and save his family.
1
While evaluating her for his $100,000 grant, Thomas Stevens, a multimillionaire falls for the pastry chef that he believes stole his mother's bakery.
-2
Fascinating insights in the day and night life of some of America’s most famed metropolises. Along with showcasing each city’s iconic landmarks and often-surprising history, the series’ 4K cameras capture a bird’s-eye perspective of the frenzy of work and play that make each city so distinctive.
3
A group of aging Gen-Xers, lost in the maze of midlife, come together for a high school reunion. As they journey down memory lane together they discover that they are exactly where they are supposed to be.
-1
Shot at Bell County Jail in Texas, Ali Siddiq: It's Bigger Than These Bars shares Ali's hilarious experiences of both incarceration and freedom. Siddiq talks with jailers and the jailed about life in lockup, and explains why dousing yourself in baby oil and refusing to leave your cell is always a bad idea. Encouraging and inspiring his convict audience, Ali makes hard laughs out of hard time, restoring faith in the power of second chances.
1
Two soul mates cross paths across during many lifetimes, until one decision tears them apart and may alter their destiny forever.
1
When Charlie discovers her parents have hidden her real father from her, she does what any 18-year old would - recruits a homeless guy as her 'responsible adult' and sets off to Scotland on her provisional driving licence to go find him.
0
Summer 2018 and the world is shaken by 2 dramatic volcanic eruptions: Kilauea in Hawaii and Fuego in Guatemala. Both unleash terror but in very different ways.
-2
The 100-year history of a troubled American family.
-1
ZayVian, a teenager, guilty over the death of his twin brother, commits negative acts in order to gain the attention of his parents. He seeks absolution for the murder. His ultimate decision an impact on eight other troubled teens that changes their lives forever. An haunting story of a boy trying to reclaim a lost hope with no assistance from anyone. Written By Sehjada
-5
An adventure of the soul. JOSEPH is a young, painfully shy writer in the waterlands of South Carolina. After robbing a rural juke joint with two lower-class buddies and joy-riding up the coast to Myrtle Beach, his journey becomes a quest for strength and courage.
0
Kidnapped and trapped by a winter storm, this slow burn thriller follows two strangers who must outsmart an unseen killer.
-4
After living peacefully in the caverns of a small town, a stranded group of aliens turn deadly as they fight for their existence, betraying the compassionate chief of police who has protected them for 28 years.
0
Mark Normand has been told the same advice his whole life: DON'T BE YOURSELF, whatever you're thinking about saying, don't. So in his first one hour special, Mark does just that.
0
The lives of three upper class teenagers are turned upside down by an unexpected murder.
-2
Connor Ryan, out of a job and dumped by his girlfriend, returns to Atlantic City to try to rebuild his life with the last source of income that he has -- a few apartments in a low-rise condo complex that sits in the shadows of AC's newest and most expensive casino. Unfortunately, Connor's tenants don't want to pay him. In order to get his money, Connor has to take on a pair of Chechen animal trainers with underworld ties, a rap star who parties so hard the neighbors can't sleep, and a struggling single mother who steals his heart...
-7
Comedian Sam Morril performs. Topics include why babies seem racist; why porn is more body positive than women's magazines; and an awful customer service experience with an airline.
-1
Take a cross-country flight over Ireland's natural wonders and ancient ruins. In this spectacular overview of the historically significant Emerald Isle, we soar over Neolithic tombs of the Celtic era, medieval castles of the Vikings, and modern cities humming with life. From the tower that inspired a novelist to the ancestral home of a famous stout, we explore the sites, the people, and the milestones of this unique gem of Western Europe.
4
Redemption, violence, and faith define a young black man, a reckless white nationalist, and a pair of traveling vacationers during a random encounter within northern Idaho.
1
The true life story of Erik Aude, who was duped into drug smuggling and spent three years in a Pakistani prison.
-1
Three teens realize their science project is the key to finding their missing parents, in another world.
0
The abandoned castles of Europe are magnificent markers of the continent's tempestuous history. But where they once hosted royalty, these empty, hulking structures are now overtaken by the wildlife and rich natural environments flourishing around them. From peregrine falcons ruling the bell towers of Germany's Heidelberg Castle, to exotic amphibians thriving in the spring-fed fountains of Spain's iconic Alhambra, explore the curious history of these imposing European structures and the creatures that call them home.
4
Two Las Vegas entertainers find themselves in a mysterious town whose occupants may be cannibals. Re-cut version of the film Eldorado (2012).
-2
When a man’s wife flakes on a last-ditch effort to save their marriage, his overeager brother-in-law joins him on a trip to a hipster resort in Nicaragua.
-2
Stories from the perspective of some of the world's oldest living creatures - trees. Each tree is located in a completely unique habitat around the world, and hosts, feeds and shelters an array of animals in its embrace.
0
Cleo loves his life as a youth pastor in suburban Denver, but his genuine support for a teenage girl has put his job in jeopardy. When the church's Elder Board becomes aware of the situation, he's asked to take two weeks off to consider his actions and the impact on his role in ministry. Distraught by the arrival of this news via email, Cleo grabs a backpack and bike to hit the road and figure out what's really true. His journey takes a turn toward Edmond, Oklahoma, when he hitches a ride from a mysterious traveler named Larry and his dead father. Larry's intense skepticism along with a string of peculiar signs causes Cleo to question more than his relationship with the teen...he questions the very existence of Love.
-3
A mentally deranged maniac stalks victims to fulfill his drug addiction and sedate psychosis until he becomes the victim of an unexpected invasion of the undead. This is a prototype film, to be used to present for future larger production.
-2
Still overwhelmed with guilt years after his high school sweetheart's death, "Max" returns home seeking closure. Instead, he re-experiences the memories of falling in love with her. The mystery of what happened to this alluring young woman unravels as the past plays against the present.
-2
An insight into the turbulent relationship between Princess Diana and her formidable stepmother Raine Spencer.
0
A rag-tag group of treasure hunters travels into the bush in search of a legendary stash of gold. The gang is soon roped into a world of danger, lies and betrayal.
0
When Eric and Raj, old high school buds, try to build the next great app and become billionaires - they don't.
1
In 2015, a media frenzy broke when 2 amateur researchers found a buried train in Poland. They believed it contained precious treasure left by the Nazis at the close of WW2. Historian Dan Snow investigates.
0
The dancer recounts all of the events in her life that brought her to a huge performance at the Mall of America and becoming a Nickelodeon star.
0
The story of Pocahontas has been passed down through the centuries. Her relationship with John Smith has been characterized as a romance that united two cultures and created lasting peace. However, the life of this American Indian princess was anything but a fairytale. Join us as we look beyond the fiction and reveal the real story of Pocahontas, a tale of kidnapping, conflict, starvation, ocean journeys, and the future of an entire civilization.
-2
Bettany Hughes relives eight pivotal days that defined the Roman Empire and made it the world's first superpower.
0
Trevor Moore's special finds him struggling through an insufferable brunch with his girlfriend and her friends as they discuss pop culture and hot-button issues. Naturally, he can't stop himself from expressing his own views on the topics through a series of songs and music videos, including "My Computer Became Self Aware" and "Bullies."
-4
Wagga is a country town that loves its sport but is divided over its loyalty for the rival codes, AFL and NRL. It's in this setting that we find our hero Chase Daylight, whose dream to play in the professional Rugby League is falling by the wayside, just like his relationship to Brooke. At his lowest point, Chase takes a leap of faith to sort out his life. But living this out is a far greater challenge than he imagined, especially among team mates who won't let him give up his partying ways without a fight. Chase's leap of faith might possibly be the worst decision ever he has ever made.
3
Mercy lives a double life. In one she is dating a sexual and loving college student named Jesse. In the other she is living by her family's religious standards. As her two world's begin to collide she must find her identity in both.
2
Two amateur Ufologists investigate a woman's claim that aliens are watching her. This is that footage, compiled and released by The Civilian Department of Ufology, a privately owned UFO research and investigation organization.
0
A UFO fanatic risks his family to fulfill his lifelong dream of being abducted.
-2
Comedians Hasan Minhaj, Asif Ali, Aristotle Athiras and Fahim Anwar perform a series of sketches as the comedy quartet known as 'Goatface.'
0
Dyrdek introduces the world to the most ridiculously talented young people in the country – an eclectic and diverse mix of amateur and viral talent, who compete to earn the top spot. The first act goes to the Top Spot, but every following performer has the opportunity to dethrone them. The last one standing will have the “Amazingness” of a champion and walk away with $10,000 dollars in cash.
4
Ed Montenez is a Shadow Wolves Tracker and Border Patrol Agent hunting a lone Coyote who carries a mysterious package. Infused into the chase is a pair of rogue militiamen hell-bent on defending the border and a suspicious Federal Agent investigating border killings and corruption. No matter their motives each one of them becomes indentured to the package once they uncover the nature of its contents.
-7
On the harsh and unforgiving plains of central Namibia, Africa, a young honey badger named Grit has just left home to venture out in the great, wide world, but it won't be easy. Fewer than half of all young honey badgers survive their first few weeks on their own, as they deal with intense heat, starvation, and round-the-clock threats from the many predators of the savannah.
-3
Over billions of years, planet Earth has become home to an amazing interdependent ecosystem, containing a dizzying variety of animals and plants. But how did life here begin? And does it exist anywhere outside of our solar system? We uncover the secrets of our world by tracking the evolution of the cosmos itself, from the Big Bang onwards. Follow scientists responsible for some of the major breakthroughs in understanding the origins of life and witness how their discoveries are fundamentally changing the way we perceive the universe.
3
Sean's vicious attack leaves a man unconscious and him stranded in an elevator with five others. In the confines of the lift, love has a chance of blossoming - violence has a chance of erupting - Sean has little chance of escape. With his freedom hanging in the balance can the people who fear him offer him one last chance of redemption?
0
In the hot desert monsoon season of Arizona, two best friends have trouble letting go of each other after a tragedy rips them apart.
-2
A caving expedition recently discovered a community of dwarf crocodiles living in the Abanda Caves, Gabon. The crocs are living in pitch darkness, hunt bats and some have bright-orange skin. Part of the original team returns to find out more about this bizarre phenomenon. It's mission impossible to access the crocs world and there's no way of knowing what they might find.
-4
Take a pilgrimage across the Holy Land as we explore the life of Jesus of Nazareth, separating history from legend.
1
200 Miles is the inspiring story of ultra-marathoner, Eric Gelber, who attempted to run a record 200 miles around New York's Central Park to raise awareness and $1 million dollars for the Multiple Myeloma Research Foundation (MMRF).
1
For thousands of years, the Great Plains were home to countless numbers of American bison, but in the late 1800s, the number of bison dropped from nearly 30 million to just a few hundred in less than 100 years. What happened to place this national icon on the brink of extinction? Join us as we detail the events that led to this mass extermination. Then follow the story of William Temple Hornaday, a chief taxidermist at the Smithsonian Institution who headed west to hunt bison for the museum, but ended up saving the species instead.
1
Few creatures have revealed as many biological secrets about the workings of life on Earth as the backyard lizard known as the anole. Join biologists Neil Losin and Nate Dappen on their yearlong examination of this humble but fascinating creature and its remarkable powers of adaptation. It's a whirlwind journey that takes us from Caribbean rainforests to high-tech labs to the city of Miami, leading to incredible discoveries about the laws of the lizard.
5
The documentary “The Leopard Rocks” accompanies Neelam, a female leopard, as she fights for the lives of her offspring, and provides a fascinating insight into the lives and adventures of one of the world's most interesting big cat species in a unique, unusual environment.
1
Aerial Africa reveals the fascinating stories you'd never find if you weren't in the air.
1
In a cold and remote landscape, two strangers struggle to repair their broken pasts. A young man is on parole after serving time for attempting to murder the man who killed his girlfriend in a hit and run. A woman is released from a psychiatric facility far from her homeland. These two damaged strangers cross paths in the mountains in winter and fall into a complex intimate relationship, putting to the test their capacity to trust and heal.
-7
Good Bones is a comedic coming-of-age story set in the cutthroat world of Hamptons Real Estate. Danny O'Brien, 22, dedicates one last summer to his family's failing real estate agency, and to his father Joe's seemingly obsolete values: poetry, integrity, and community. The O'Briens are challenged - endangered - by heartless capitalist modernism, as practiced by the liars and cheaters at Superlative Properties, realtors to the Ultra-Wealthy and Fabulous. Danny complicates the game by falling in love with Clare, a beautiful and suspiciously sophisticated Superlative summer intern. All is framed by the mad swirl of "summer people" who party, sleep around and generally amuse themselves as they indulge in the excesses of "The Season." And key players chase the grand prize: the open auction, on Labor Day, of Tilden Point - the last great parcel of virgin land on the East Coast.
-1
In the ice-gripped environment of Alaska's Admiralty Island, summer offers the briefest of respites. Year-round residents such as bears and seals turn to the salmon-filled waterways for sustenance. Meanwhile, migrants descend in droves, from humpback whales to over 140 million seabirds--almost half the birds in the Northern Hemisphere.
1
A free-spirited, aspiring painter moves to Venice, California where she falls for a charismatic gallery director and learns that commitment is a choice - love is not.
2
On the outskirts of Yellowstone National Park is Paradise Valley, Montana, home to bears, wolves, elk, and an animal so secretive, few ever get to see it: the mountain lion. Wildlife filmmaker Casey Anderson became one of those lucky few after following the tracks of the elusive cat from his backyard into the world of a mother and her three cubs. It was the beginning of what would become a remarkable relationship that gave Casey a rare glimpse into the life of a mountain lion family and a new understanding of an animal we know so little about.
2
" What counts is the journey not the destination . " The Toughest endurance race in the world.
1
Kurt Braunohler shines a light on the hidden absurdities of life, lending his self-effacing point of view to everything from the controversial to the mundane. He dives into the dregs of reality TV, gives damning praise to dogs for their boundless loyalty, and shares a plan to undermine white male privilege that might just be crazy enough to work.
1
The fiercest, strangest, and wildest creatures in the animal kingdom face off in a countdown of the most incredible animal moments ever recorded. Across arid deserts, through dense rainforests, and into the deepest of oceans, witness remarkable scenes of animal activity, from deadly showdowns to wild romances.
-4
Around the world, a group of scientists are risking their lives to come face-to-face with the most fearsome sharks in the ocean. From researchers in Guadalupe attempting to attach a camera to a great white, to a dedicated 'shark lab' in the Bahamas investigating shark migration and overall intelligence, join a thrilling journey into the hidden habitats of these premier marine predators.
2
Take an epic voyage over the remote island nation of New Zealand, the last habitable landmass to be discovered on the planet. No bigger than the state of Colorado, this small country offers an incredibly diverse landscape view that changes dramatically with each mile. From snow-capped mountains to sandy beaches, and from the glacier-carved Fiordland National Park to the crater lake of Mount Ruapehu, New Zealand is a land of extremes. It's a place where fire clashes with ice and people are always pushing the limits.
-1
Larry Shirt is a taxi driver whose passengers are the city's hustlers, tourists, socialites, musicians, housekeepers, weirdos and reporters. Bobby Cohn, a college student home from school and in the middle of a personal crisis, is one of those passengers. The circumstances that bring them together lead to a bond that is ultimately turned upside down by Hurricane Katrina, but instilled by the love of the city that they both call home.
0
Two weeks before the birth of her first child, New Yorker Shaina Feinberg recounts her reluctant journey to motherhood in a video letter to her son. Clearly influenced by old Woody Allen films, her letter becomes a series of vignettes that include her newly-sober husband, her goofy Upper West Side parents, an adorable Shih Tzu, a neurotic shrink, and her own views on daytime television.
-1
Marking the 20th anniversary of the death of Princess Diana in car crash in Paris in August 1997, this documentary reveals how Diana learned to manipulate and control the photographers who pursued her ever since she started seeing the heir to the British throne, Prince Charles, in the early '80s. Contributions from tabloid editors, royal photographers, Diana's friends and former Press Attache and her royal bodyguard.
-2
The journey of the Mekong River takes us through China, Laos, Vietnam, Cambodia, and Thailand, across a series of diverse landscapes. Each has its own signature species: from snub-nosed monkeys to high-flying birds, to spooky cave-dwellers--including some that have never been filmed before. Let the Mekong's mighty waters lead you on an incredible journey.
2
Jordan Klepper is an enlightened, progressive, sartorially aware comedian who's determined to fix America's gun violence epidemic. As his quest takes him from the nation's capital to the deep woods home of the Georgia militia and beyond, one thing is clear: If Jordan can't solve guns, no one can. (Hopefully, this is not true.)
1
After committing to some pretty ambitious New Year's resolutions, Ismael finds out during his six-month progress updates that major life changes aren't always worth the effort.
4
Tracy Borman reveals the intimate details of the monarchs, to find out what really went on in their private lives.
1
In the 1800s, southern newspapers ran ads seeking runaway slaves suspected of taking refuge in a vast wetland called the Great Dismal Swamp. For decades, scholars have sought proof that the reports were true, and now they finally have it. See how a team of archaeologists is using new discoveries and modern dating methods to piece together this lost part of American history. Then discover what life was like for these brave men and women, who chose to suffer in the swamp and keep their freedom rather than live under the conditions of slavery.
0
The proposal for a wind turbine in a rural American town brings together the interlocking stories of an ambitious politician, an eager intern, a struggling farm owner, her despondent son, and the newly arrived construction manager trying to start a family.
0
In Rwanda, Africa, a new era is dawning after a brutal civil war ripped through the country, killing close to two million people and wiping out its most iconic wildlife: the regal lion. Now, 25 years later, the big cats are being reintroduced to the region to reclaim their throne. Follow this magnificent seven, a collection of five females and two males, as they travel thousands of miles from South Africa to Akagera National Park and attempt to figure out their new land, form relationships, and restore the pride of a nation.
1
In Africa's Simien Mountains, Braveheart is the undisputed king of his gelada family. For four years, he has fought off predators, kept the peace, and in return, has had his pick of potential mates. But now, his reign is under siege by a pack of marauding males, led by Braveheart's younger brother, Tiko, who has a score to settle. Witness this royal battle up close as we enter the most complex social structure of any animal except humans, one where women rule the roost and have final say on who sits on the throne and for how long.
1
A violent breakup leaves one man dead and a group of friends dispatched into the desert to dispose of the evidence. Friendships are tested as the group push the boundaries of what can be done in the name of being there for a friend.
-4
Uber geeks Nigel and Oscar want nothing more than to capture definitive evidence of a Sasquatch. When their guide bails on them, they must resort to using a mis-matched group of outdoor enthusiasts. Meanwhile, their rival Claus, also on the hunt for the "Squatch", races to beat them to the prize in this documentary style comedy.
1
Set twenty years after the events of Star Trek Nemesis, we follow the now-retired Admiral Picard into the next chapter of his life.
-1
Three women living in three different decades: a housewife in the '60s, a socialite in the '80s and a lawyer in 2018, deal with infidelity in their marriages.
0
The Fugitive Task Force relentlessly tracks and captures the notorious criminals on the Bureau’s Most Wanted list. Seasoned agent Jess LaCroix oversees the highly skilled team that functions as a mobile undercover unit that is always out in the field, pursuing those who are most desperate to elude justice.
-3
Skeptical female clinical psychologist Kristen Bouchard joins a priest-in-training and a blue-collar contractor as they investigate supposed miracles, demonic possessions, and other extraordinary occurrences to see if there’s a scientific explanation or if something truly supernatural is at work.
1
An American guy falls in love with his Nigerian nurse.
0
The lives of the support crew serving on one of Starfleet's least important ships, the U.S.S. Cerritos, in 2380. Ensigns Mariner, Boimler, Rutherford and Tendi have to keep up with their duties and their social lives, often while the ship is being rocked by a multitude of sci-fi anomalies.
1
In a world mostly wiped out by the plague and embroiled in an elemental struggle between good and evil, the fate of mankind rests on the frail shoulders of the 108-year-old Mother Abagail and a handful of survivors. Their worst nightmares are embodied in a man with a lethal smile and unspeakable powers: Randall Flagg, the Dark Man.
-7
Powered with incredible speed, Sonic The Hedgehog embraces his new home on Earth. That is, until Sonic sparks the attention of super-uncool evil genius Dr. Robotnik. Now it’s super-villain vs. super-sonic in an all-out race across the globe to stop Robotnik from using Sonic’s unique power for world domination.
1
A filmmaker at a creative impasse seeks solace from her tumultuous past at a rural retreat, only to find that the woods summon her inner demons in intense and surprising ways.
-3
A down-on-his-luck crab fisherman embarks on a journey to get a young man with Down syndrome to a professional wrestling school in rural North Carolina and away from the retirement home where he’s lived for the past two and a half years.
-1
An antiquities expert teams up with an art thief to catch a terrorist who funds his attacks using stolen artifacts.
-2
The Addams family's lives begin to unravel when they face-off against a treacherous, greedy crafty reality-TV host while also preparing for their extended family to arrive for a major celebration.
-3
Bored of the usual porn videos, a socially awkward college student comes across something different and dangerously exciting. His new fascination with violence and sex pulls him into a surreal, inescapable world of punishment and torture.
-1
Having recently found God, self-effacing young nurse Maud arrives at a plush home to care for Amanda, a hedonistic dancer left frail from a chronic illness. When a chance encounter with a former colleague throws up hints of a dark past, it becomes clear there is more to sweet Maud than meets the eye.
-2
A couple flying on a small plane to attend a tropical island wedding must fight for their lives after their pilot suffers a heart attack.
-2
A couple flying on a small plane to attend a tropical island wedding must fight for their lives after their pilot suffers a heart attack.
-2
A woman stuck in a small, snowbound border town has dreams of doing comedy when she meets a washed up, burned out comedian with dreams of doing anything else.
-2
The original cast of The Hills reunite alongside their children, friends, and new faces, and follows their personal and professional lives in Los Angeles.
0
Each game of Blue's Clues involves problem-solving, viewer interaction, and of course, a stop for "mailtime!" In this reboot, the animated ensemble cast is back with a new host: Josh, who's just learning how to play Blue's Clues.
0
After an earthquake uncovers an abandoned goldmine, a hiker falls in and is trapped, forcing friends to grapple with a moral dilemma that spirals into madness.
-5
A story of enduring love between Leonard Cohen and his Norwegian muse, Marianne Ihlen. The film follows their relationship from their early days in Greece, a time of "free love" and open marriage, to how their love evolved when Leonard became a successful musician.
5
When his best friend Gary is suddenly snatched away, SpongeBob takes Patrick on a madcap mission far beyond Bikini Bottom to save their pink-shelled pal.
1
Charles, and Kyle are three private investigators that specialize in missing persons cases. Mickey and her team get in way over there heads when they cross a serial killer who has three very nasty pets that have a taste for human flesh. The team must do what the can to stay alive and to save the killer's next prey before its to late.
-3
Celebrate the funniest food moments on the internet, from home cooking disasters to barbecue fails.
-1
A tight-knit group of best friends and family helps Wade embrace his “new normal” in the wake of the loss of his wife. As a sometimes ill-equipped but always devoted single parent to his two adolescent daughters, he is taking the major step of dating again.
0
The Greatest is a VH1 series. Each episode counts down either songs, albums, music videos, moments, musicians, or celebrities of a particular category.
1
Filmed from inside two of the most active therapeutic feeding centers in Yemen, HUNGER WARD documents two female health care workers fighting to thwart the spread of starvation against the backdrop of a forgotten war. The film provides an unflinching portrait of Dr. Aida Alsadeeq and Nurse Mekkia Mahdi as they try to save the lives of hunger-stricken children within a population on the brink of famine.
-3
A sketch show based on Arturo's experiences as a Latino millennial in the United States.
0
A wanna-be author feels pressured to move beyond her meandering writing career and get a more stable job. She decides to organize a Shakespeare festival, a plan that could have tricky ramifications for her marriage.
0
In this docuseries punctuated with self-deprecating wit and lots of way-harder-than-I-thought reality checks, Jordan Klepper leaves the comfort of the studio and embeds on the front lines of America’s push for change.
1
A teenage boy lives out the hilarious and often tragic consequences of being lethally attractive, until he meets Alex, a girl struggling with a congenital defect.
-1
An aging 80 year old drag queen forms an unlikely friendship with a younger queen, both struggling with their own issues of gender identity and mortality. As they discover more about each other, they realize how to truly be themselves.
-4
Twenty eligible ladies will face off against one another hoping to avoid the elimination ceremony, while the boys must compete for the affection of the contestants as well.
1
A failed gold heist leaves two siblings and a few of their friends at the mercy of two backwoods brothers hell-bent on getting back what's theirs.
-1
A freewheeling comedian determined to save her family business invites an uptight entrepreneur on a road trip to sell a van with a complicated history. Romance ignites on their three day trip south, but is tested as they discover each other's secrets. When the van sale deteriorates, they must decide if their very new connection is worth more than a very old van.
0
Two orphaned brothers turned radical Christian hitmen venture to rural Ilkley under the instruction of Father Enoch. Their mission: assassinate the famed atheist writer Professor John Huxley.
-1
Working-class Americans are tested for their strength, endurance, agility and mental toughness in challenges that take place in the real world.
0
Follows Lindsay Lohan as she works to expand her business empire with the launch of Lohan Beach House on the Greek island of Mykonos.
1
A dark comedy following a multicultural mix of men and women deployed as Army medics to a forward operating base in Afghanistan nicknamed “The Orphanage.” Together, they endure a dangerous and Kafkaesque world that leads to self-destructive appetites, outrageous behavior, intense camaraderie and occasionally, a profound sense of purpose.
-3
Three women wrestle with life's difficulties while confronting their past relationships with the same man.
-2
Three astronomers accidentally intercept what they believe to be a signal from a distant alien civilization, but the truth is even more incredible than any of them could have imagined.
1
Challenged by her step-sister to return home, a young woman hiding from her past in a remote Japanese village is abducted into a fantastic wilderness and pursued by a monster, with only four nights to escape to Tokyo and face her demons.
-1
A long-empty farmstead holds secret worlds, accidentally unlocked by an amateur photographer and his wife.
0
A couple's failing relationship implodes when their mountain cabin accidentally gets double booked.
-1
Comedian Anthony Jeselnik interviews fellow comedians about their careers, influences and other topical issues.
-1
A bittersweet love story told through enchanting re-imaginings of popular and iconic New Zealand songs.
3
Laura and Ryan are perfect for each other: they both love Meryl Streep, have been totally destroyed by previous relationships, and have no idea what they are supposed to do tonight. They also both know that they'll have to pretend to be completely different to how they've ever been previously, in the hope of getting it right this time. How bad can a second date really go and what is there to lose? Ryan and Laura are about to find out.
0
Before Alice went to Wonderland, and before Peter became Pan, they were brother and sister. When their eldest brother dies in a tragic accident, they each seek to save their parents from their downward spirals of despair until finally they are forced to choose between home and imagination, setting the stage for their iconic journeys into Wonderland and Neverland.
-3
A psychology professor begins a case study with three subjects who are suffering from sleep paralysis. As the study goes on, what is real and what is dream become mingled with violent consequences.
-2
Pop-culture phenomenon All That is returning for a new generation of kids. The new weekly sketch-comedy series will showcase an all-new cast of kids, with original cast members making special appearances.
0
On his 25th birthday, following the death of his brother, Max and his best friend Peter wander the wintry streets of Manhattan, contemplating life, livelihood, and what it means to be adult.
0
A series that travels around the country to follow the heroes, leaders and activists who battle to bring change to the cities they call home.
1
After getting mixed up with a dangerous crime syndicate, an undercover cop wakes up to discover he is missing his partner, his wife, and three days of his life.
-2
Sean Hayes serves as roast master as it is Alec Baldwin's turn in the hot seat. Robert De Niro, Jeff Ross, and Caitlyn Jenner among others take jabs at the actor/comedian.
2
In 1936, Victor H. Green (1892-1960) published The Negro Motorist Green Book, a book that was both a travel guide and a survival manual, to help African-Americans navigate safe those regions of the United States where segregation and Jim Crow laws were disgracefully applied.
1
One man's odyssey to put a ring on his dead ex-wife.
-1
Reeling from his mother’s death and his father’s abandonment, Zach, an All-State athlete, finds glory on the football field, working to earn a college scholarship and the brothers’ ticket out of town. When a devastating injury puts Zach—and his dreams—on the sidelines, David laces up his track cleats to salvage their future and point Zach toward hope.
-2
In tiny Colewell, Pennsylvania, the residents gather at the post office for mail and gossip, while the days pass quiet and serene. That is until news comes that the office is to close, and beloved clerk Nora is left to fight for her job and reflect on the choices she has made that kept her in Colewell for so many years.
2
An alien spaceship crash-lands in an isolated town in the middle of the Australian desert, releasing an insidious parasite that attacks the brain of all creatures including humans, making them disorientated, unnaturally strong and violent. Sargeant Jo Sharp, readying for a return to the big city beat, wakes to find the township, her family and friends falling victim to an evil that is spreading faster than it can be contained.
-6
It’s game over for three young dreamers when their indie board game fails to secure crowd funding. But after a famous game creator drops dead in a freak accident right in front of them, they realize they have one extra life to make their dreams come true… at the expense of their humanity.
0
Newly widowed Frank Fogle embarks on a journey to Ireland to scatter his late wife’s ashes. His estranged son, Sean, recently released from prison, agrees to join only when his father promises that they’ll never see each other again following the trip. After revelations surface about an old flame of Frank’s wife and a charming hitchhiker with plans of her own intervenes, father and son find themselves drawn together in unexpected ways.
0
Raw and intimate, this documentary captures the struggles of patients and frontline medical professionals battling the COVID-19 pandemic in Wuhan.
1
Drama led documentary follows the life of Signe, an orphaned Chief's daughter, who driven by revenge becomes an explorer and trader in the lands of the Rus Vikings.
0
Molly, a paranormal con artist who cleans people of their valuables instead of their demons, accidentally rips off a Drug Kinpin. She now has to save her kidnapped partner and herself while battling through the under belly of Los Angeles.
0
Ulrich Mott  is an eccentric and versatile social climber with grandiose plans to affect United States foreign policy. Encouraged  in his attempts by his strategically chosen (and much older) wife, the well-connected journalist Elsa Brecht, Mott has a knack for making himself indispensable and impossible to ignore. The only one seemingly immune to his charms is Elsa's daughter Amanda, who might simply disapprove of her mother marrying a much younger man - or perhaps she senses something more sinister beneath the smooth-talking surface?
-2
Soul-touching and moving, TWO WAYS HOME compassionately follows Kathy (Tanna Frederick), a woman newly diagnosed with bipolar disorder who is released from prison on good behavior and returns to her country home in Iowa to reconnect with her estranged 12-year-old daughter (Rylie Behr) and her cantankerous elderly grandfather (Tom Bower).  Her return home is turbulent and a rough, unwelcome transition in which Kathy must come to terms with her diagnosis and its implications on her identity, while also realizing that her family was happier when she was gone. Conflict with her family intensifies as she struggles to keep her head above water, putting her self-worth and well-being to the ultimate test.
-6
Take a deep dive into the true-crime stories rocking headlines and social media feeds. These victims were young, the crimes against them were shocking and haunting questions remain.
-3
It's a 23-minute semi-documentary film directed by a college student and tells a story that's biographical.
0
A look at some of the biggest cases handled by real-life FBI agents and analysts.
0
When party girl Sasha Li blows through most of her trust fund, she is cut off by her father and forced to go back to China and work for the family toy business.
1
A crafty drifter crosses paths with a gang of murderous thieves in the middle of nowhere, AZ.
-2
While visiting Thailand, two estranged friends realize there's no rule book for finding purpose and meaning in life.
-1
An exploration of the history, artistry and emotional power of cinema sound, as revealed by legendary sound designers and visionary directors, via interviews, clips from movies, and a look at their actual process of creation and discovery.
2
When a young woman's car breaks down in back country Oregon, she finds herself at the mercy of a paranoid conspiracy theorist, who assumes she's a government agent.
-2
Married couple Bob and Susan Howard decide to see a marriage counselor named Judy Small, who appears trustworthy but harbors dark and conflicted impulses.
-1
Set in an alternate reality in which everyone is a cliché from a tacky porn film, a group of increasingly self-aware stock characters are up against a mysterious killer offing them one by one.
-3
A lonely teenager runs away from home, taking along his abusive stepfather's girlfriend.
-2
When best friends, Jack and Scottie, get a once in a lifetime shot at hidden loot, they take off on a cross-country adventure turned crime spree. With a whiny accidental hostage in tow, and a deranged bounty huntress and Johnny Law hot on their trail, it's going to be a race to the bullet-riddled finish.
-3
Sean and Eric are just two bumbling screenwriters working on the “next big action flick,” utterly oblivious to the shit storm that awaits when the government intercepts their script, believing it to be a veritable terrorist plot.
-3
An anthropology professor's obsession with a paranormal mystery threatens her job, marriage, and sanity as she fights to find a missing student.
0
When his drunken ex-girlfriend won't leave him alone, a man asks a married woman staying at the same hotel to pretend to be his wife. What could go wrong? It's not like two strangers spending a weekend in a small town could possibly fall in love - Getting To Know You is a delightful love story for grownups starring Natasha Little, Rupert Penry-Jones and Rachel Blanchard.
-1
Three friends making a web series about their town discover that their neighbors are being killed and replaced by creatures who are perfect copies of their victims.
0
When a young boy turns up dead in a sleepy Pennsylvania town, a local sanitation truck driver, Donald, plays detective, embarking on a precarious and obsessive investigation to prove the boy was murdered.
-3
Two sisters, two boyfriends, one simple birthday weekend getaway. Or it would have been, if not for the threesome, the love affair, the unexpected arrival of a fiancé, and the ensuing ridiculous dinner role play charade everyone is forced to participate in just to keep from getting caught.
-2
A brokenhearted chef receives hilariously terrible advice from friends.
-1
After murdering a police officer and stealing his patrol car, a mysterious, hulking figure begins a night of carnage and terror in a small Georgia town, pulling over innocent victims until a shocking final confrontation reveals the killer to be even more monstrous than anyone imagined.
-8
Now that the bulk of Defiants have either vanished in "The Taking" or been found and executed by order of the Sovereign Leader, the New World has finally come to know true peace. But when a young New World soldier's amnesia begins to wear off, the real truth about where he came from begins to unravel, and the real truth about what the world has become begins to unravel with it. When framed for the murder of the Sovereign Leader, this young soldier must now choose who he is: A51-317, Sovereign Soldier of the New World, or Paul Wooden, Defiant. He must choose whether he can still embrace the New World knowing what he knows now or if he must shift his allegiance. He must choose what he knows for sure. The choice is his: will he be Defiant?
-4
Modern historians, equipped with state-of-the-art technology and newly discovered evidence, rewrite the nation's most iconic stories.
2
DC Noir is a crime series set and filmed entirely in Washington, D.C. based on the short stories of acclaimed novelist and television producer/screenwriter George Pelecanos, which he adapted for the project.
0
Working undercover on a human trafficking bust, maverick FBI agent Wade Dalton (Kaiwi Lyman), captures Serick Ibrayev (Sanjar Madi), a mysterious operative from the Mongolian underworld. With time running out, Wade must escort Serik back to Mongolia, and team up with hard-boiled police detective Ganzorig (Amra Baljinnyam), to deliver Serik to court to testify against a crime Syndicate that will do anything to stop them.
-3
It follows Jon Taffer as he helps couples whose relationships are on the brink of failure.
-1
After his wife's death, Claude struggles to appear normal while living with a Secret.
-2
A shell-shocked photojournalist, haunted by what he has witnessed on assignment in Africa, returns home on the eve of becoming a father. When one of his photographs threatens to destroy a Sudanese refugee's new life, the two men are reunited by nightmare events from the past.
-2
A recently dumped divorcee in his late-twenties sets out to plan a wedding-sized divorced party in an attempt to get his life back on track.
-1
Thomas Harrison is determined to start his own alternative band after the suicide of Kurt Cobain—it's an obsession that blinds him to what's either the mental collapse, or the eruption of musical genius, of his little sister, Bridget. Bridget boldly rejects her brother's music, and the music of an entire generation of slackers, by taking on the persona of a gangsta' rapper.
-2
During a long hot summer in the 1970s, four boys roam free through a neglected rural paradise, until a tragedy strikes that sets them against the adult world and changes their lives forever.
0
"Texas 6" follows the Greyhounds, a high school six-man football team under the direction of Coach Dewaine Lee as they attempt a three-peat for the 6-Man Football State Championship. While football remains the spine of Strawn, "Texas 6" ultimately depicts the spirit of a small town and a team that shows up for one another on and off the field.
0
A man struggles with the tragic memories of his past to make sense of his present, but soon realizes that time isn't the enemy he thinks it is.
-3
Three You tubers struggling to get more views on their adventure channel, travel to the mythical city of Casablanca, unaware that it hides a terrifying secret.
-1
After a horrific tragedy, an isolated mother and daughter dealing with grief develop terrifying sleep disruptions that manifest into a sinister reality.
-6
Two mother-daughter duos must contend with their grief and complicated relationships with one another when the person who connects them dies.
-3
Star and Brandon, estranged brother and sister, are brought together after their mother's recent death and her absurd final request to dispose of her ashes in the body of a whale. With no choice or face losing their much-needed inheritance - they embark on a road trip to San Antonio, Texas where they not only encounter adventure, but also encounter each other.
-4
When a troubled suburban mom cat sits for her sister, she finds herself caught up in the scandalous lives of the next-door neighbors.
-2
Inspired by true events, a man recounts the summer of '94, when he and his brother plotted revenge against their abusive father.
-2
Mags and Julie Go On A Road Trip is a heartfelt, laugh out loud buddy movie, written and directed by actress Ryann Liebl. This film, in the vein of Bridesmaids mixed with Grumpy Old Men, takes the audience on a journey of what it means to be a woman and balance life.
-1
Ron Funches makes a dramatic wrestling-inspired entrance before hitting the stage for an hour that demonstrates his unique style accentuating the positive about a wide range of things he loves and enjoys: vision boarding, losing weight, parenting his autistic son, TV, and wrestling.
2
After losing his wife and three kids, all Kyle wants is to mourn in peace. Unfortunately, his family insists on helping him.
-1
An awkward physics genius and an ex-Catholic sorority girl wake up after blacking out Halloween night to discover they missed the evacuation of Earth. A mystery agent pursues their Theory of Everything as they try to save humanity from AI.
-2
Nineteen-year old Leon returns home to take care of his alcoholic mother and adjust to life as an adult after an adolescence spent in and out of foster care. Frustrated by his lack of an education and his bleak financial prospects, Leon finds solace in the boxing ring. He soon meets the rebellious and beautiful Twiggy, who is squatting in abandoned houses to escape her family’s unfeeling affluence. As rumblings of riots begin in the streets and police and protesters engulf his neighborhood, Leon must decide whether to join his friends and fight or seek a new life with Twiggy.
-4
A group of childhood friends celebrate their college graduation by going to a cabin in the woods. As hope for the future gives way to fear of the unknown, they start to suspect that something sinister may be stalking them.
-3
An aspiring screenwriter writes his most ambitious script to date by plotting out a rom-com relationship with the daughter of his screenwriting idol, all in hopes of meeting her legendary father and getting a leg up in showbiz.
3
After a robbery gone wrong, Aaron - barricaded in a rest stop bathroom - faces down the police, hallucinations, and a grim secret.
-3
The life story of Richard Pryor (1940-2005), the legendary performer and iconic social satirist who transcended racial and social barriers with his honest, irreverent and biting humor.
2
A couple on a road trip through America encounter a terrifying dark force older than the country itself. An evil that transforms loved ones into someone terrifying, the entity has left a trail of murdered families going back hundreds of years.
-1
Fresh out of foster care at age 18, a young drifter turns to petty crime to survive, and discovers an impossible love in an unlikely friend.
-2
In 1953, two young Italian children are promised in marriage by their fathers. Twenty one years on - despite changing times, fading traditions and 70's liberation - the pair are expected to marry, or face the consequences.
2
Young, bestselling author Eryn Bellow concludes her bookstore tour with her agent selling film rights and closing a six figure advance for her follow-up. Headwinds arise as critics get offended by the claims that Eryn is being declared a living literary legend. The storm gathers force as the assaults gravitate from bad reviews to a fake-memoir designed to obliterate her from the field. Through the noise, Eryn attempts to write her way out of the public fray, and reclaim her voice in the minds of her readers. Along the way, she hopes to prove a happy ending is not always a bad thing.
-3
A C-list celebrity gets kidnapped and held hostage after a night-club appearance. When the police interrogate the man she accuses, they question whether she's after justice or a front-page story.
-2
Forensic archaeologist Caroline Sturdy Colls seeks out a Nazi SS camp constructed in secrecy on the British Channel island of Alderney during World War II.
1
Diego is a successful entrepreneur. Rich and not caring for the good of others, no scruples to belittle the next. His attitude turns against him when he forgets in his airport bathroom his latest-generation mobile phone with social profiles, contacts and credit cards.
2
An orphaned boy in a post-apocalyptic world, meets a grieving woman who is trying to find her lost daughter. Their journey leads them face-to-face with a despot who may have the daughter held captive.
-2
The story of Sigga, a 17 year-old girl trying to leave home in Iceland, and make her way to California.
0
Over a series of video chats, a teenage outcast reaches out to his childhood friend, but finds that behind the veneer of popularity and a seemingly perfect life, she hides a disturbing secret.
-1
Some people called it a suicide, but for the Rangers of the 2nd Battalion, that's another word for mission. When an elite group of American soldiers are ordered to take out a series of German machine gun nests, they find themselves blindly venturing into hostile territory. Outnumbered and outgunned they must risk life and limb as they cross treacherous terrain, never knowing where the enemy might be hiding.
-4
Everything changes for Todd when his evil twin from a parallel universe arrives to steal his girlfriend.
-2
A hitman in Koreatown meets a Karaoke hostess only to find out she is his next target.
0
A SWAT team transporting a vicious crime syndicate boss must fight their way out of a county detention center during a catastrophic alien invasion.
-3
A Texas town awakes when a high school wrestler gets entangled with a drifter and her psychopathic lover. Lives then intertwine and spiral violently out of control once he becomes her escort driver.
0
Nathan's Kingdom is about a young autistic man (Nathan) struggling with his teenage opiate-addicted sister (Laura), and together they risk their lives to find a fictitious kingdom with the potential of changing their lives forever.
-3
A dishevelled public prosecutor attempts to save his marriage and discover who is blackmailing him while tackling the biggest case of his career.
0
A Jewish girl, Esther, forced to conceal her true identity by pretending to be boy on a Nazi-Norwegian farm, plots her escape. The challenge of keeping her true identity a secret leads to a series of choices and consequences.
0
A veteran soap opera star retires to a beach house with her publicist and partner, but her Early Onset Alzheimer's will strain the couple's relationship until they find the strength to redefine themselves and what they mean to one another.
-1
A Wiki-Leaks release illuminates the collusion amongst politicians and the medical industry that drives the cost of medical care to an unattainable price for the middle class. With the guilty parties' names and addresses being released, a vigilante movement springs up around the Untied States. After his father loses the battle with cancer, Mason, along with Thompson and Bobbi, seek violent justice and hope for riches along the way. A shotgun blast sparks a string of unintended consequences that leads the group down a dark road.
-4
Fearing he'll never be a success, Barnaby Bates, a struggling LA comedy writer, pulls away from a blossoming romantic relationship with Rose, an empathetic young photographer, in order to focus on his career. Things get complicated when he's visited by a mysterious stranger from the future who warns that the world as Barnaby knows it will soon be coming to an end.
-2
A royal relative steals a gem with the power to make things fly, the Paw Patrol takes to the skies to stop him and save Barkingburg.
0
Journey to London for heart-warming adventures with beloved British bear Paddington in this CG-animated series, which centres on a younger Paddington as he writes letters to Aunt Lucy celebrating the new things he has discovered through the day’s exciting activities.
2
It’s the Adventure Bay 500! The pups have built an awesome race track and are ready to be the pit crew for their race hero, The Whoosh! But when the legendary racer is unable to drive in the championship race, he calls on his biggest fan-pup Marshall to take the wheel and race in his place! Marshall has to overcome his lack of confidence and his dastardly competition, The Cheetah, to fulfill his dream of becoming the fastest race-pup ever!
3
Spin-off of "The Loud House (2014)" featuring Ronnie Anne Santiago, who moves to the big city with her mother and older brother Bobby and meets her extended Hispanic family.
-1
A sci-fi drama about a man struggling to find his wife, who he abandoned six years ago, before their visa to emmigrate to an off-world colony expires.
-1
A normal girl’s life is made extraordinary by her best friend – an unpredictable, outrageous, and hilarious talking pony. No matter the complications he causes, Annie knows that everything is better when Pony is around.
1
The military's brightest minds tackle the country's toughest legal challenges at the Marine Corps Base Quantico, where every attorney is trained as a prosecutor, a defense lawyer, an investigator, and a Marine. Working side-by-side, they serve their country with integrity while often putting aside ideals for the sake of the truth.
3
In 1990, SEGA, a fledgling arcade company assembled a team of misfits to take on the greatest video game company in the world, Nintendo. It was a once-in-a-lifetime, no-holds-barred conflict that pit brother against brother, kids against grownups, Sonic against Mario, and uniquely American capitalism against centuries-old Japanese tradition. For the first time ever, the men and women who fought on the front lines for Sega and Nintendo discuss this battle that defined a generation.
-1
Teenage detective Xander DeWitt is the new kid at Bixler Valley High, and he's there to unravel the biggest mystery of his life- the truth about his missing father. But in order to crack this case, Xander must learn to work with a partner- fearless investigative reporter Kenzie Messina.
-1
Young Dylan’s grandmother decides to send him to live indefinitely with her affluent son’s family. The Wilson family household is soon turned upside down as lifestyles clash between aspiring hip hop star and his straight-laced cousins.
0
This sister's house was haunted by a few years back when I Katie mcgeehon brother The devil bean in family house long time ago in1996.
-1
Mr. Magoo, the eponymous kind-hearted fellow is always happy to lend a hand, but often causes disasters instead as without his glasses he makes all kinds of chaotic mix-ups. Despite this, his only enemy is his neighbor Fizz: a megalomaniacal hamster and his human minion, Weasel, who are somehow always accidentally thwarted by Magoo.
-2
Willy and Tony have a brilliant idea for getting out of it financially: stealing a dog from the brigade des stups. But everything does not go as planned and the two accomplices will have to rely on the most corrupt of the cops.
-1
Nora is the one who works overtime, helps out her family by all means, and leaves little for herself. She takes out life's hardships at the local mixed martial arts gym, but what happens when that violence extends outside of the gym?
0
Inspired by a true story about Hollywood big shots who will bet on anything.
0
SpongeBob and all of Bikini Bottom face catastrophe—until a most unexpected hero rises to take center stage.
0
When he's sentenced to 90 days of house arrest, Bo meets Elliot, the awkward kid who lives across the street. While bonding over football, these unlikely friends teach each other a little bit about growing up and what it means to be a man.
-2
A group of teenagers look to have the best Spring Break party ever before going off to college. However, when party goers start to die, who's to blame? Themselves? Or the demon they summoned? Charlie's evil spirit creeps in and hands out the ultimate test of survival. Can the kids escape Charlie's grasp? Can they figure out a way to free themselves from his evil game? One night, one house, one chance at survival..
-3
A classic crime narrative in the backdrop of Delhi merges a dysfunctional, mafia family at war with each other as an undercover officer fights his demons by assisting in their downfall.
-2
Yingying Zhang, a 26-year-old Chinese student, comes to the U.S. to study. In her detailed and beautiful diaries, the aspiring young scientist and teacher is full of optimism, hoping to also be married and a mother someday. Within weeks of her arrival, Yingying disappears from the campus. Through exclusive access to Yingying’s family and boyfriend, Finding Yingying closely follows their journey as they search to unravel the mystery of her disappearance and seek justice for their daughter while navigating a strange, foreign country. But most of all, Finding Yingying is the story of who Yingying was: a talented young woman loved by her family and friends.
1
Failing cosmetics magnate Sally Fay (Traci Lords) will stop at nothing to possess the waters of the Steam Room to help lift her sagging empire. What she doesn’t count on is the Steam Room Guys banding together to thwart her evil plans.
-4
Three ambitious women navigate the highly competitive world of professional sports.
2
When England's largest castle is robbed by a notorious crime boss (Jon Campling, Harry Potter's Death Eater), the last thing he and his criminal gang expected to be up against were two boys on BMX and their speedway racing dad.
-4
The hit game show where adults have to answer grade-school level questions to win big is back! And this time, the kids play a bigger role as they help contestants prove that they're smarter than a 5th grader.
2
Omar and Pete are half brothers. When their parents are eaten by lions they embark on a journey to find Omar's real father. What follows is a funny, heart-warming journey of self-discovery for both boys...in Blackpool. The Choudray family represents a truly contemporary example of modern multicultural Britain - but what will the brothers make of their eccentric newfound family? Will they be going to Mecca or Mecca bingo? In contrast to the old fashioned stereotypes about Blackpool, the comedy is sharp, current and non-stop.
-1
Traveling to Havana, Cuba, to investigate the origins of a mysterious manuscript supposedly written by acclaimed American novelist, Ernest Hemingway, three friends are thrust into a terrifying game of cat and mouse when they find themselves trapped inside an abandoned building nestled in the center of the country's vibrant capital. With time running out fast the threesome must maneuver through a maze of deadly traps to find a way out of the building before they're hunted down.
-2
Macie (Patty Srisuwan), a Thai immigrant adopted into a North American family, must look after her dementia suffering grandfather (John Rhys-Davies), as she searches for the truth about her past.
-1
A coming-of-age comedy about Jimmy, a quiet, heavy-set high school kid who is constantly tormented by the resident school bully Miles and his cronies. After an altercation on his way home from school lands him a chance meeting with former professional boxer "Action" Jackson and trainer Manny, Jimmy decides to learn how to fight back.
-2
A hilarious ode to moms and the way they have shaped the work of some of comedy's biggest stars.
2
Discover the evolutionary secrets of some of the world’s most majestic creatures. From voracious crocodiles and acrobatic birds to stupendous whales and majestic elephants, WHEN WHALES WALKED follows top scientists on a global adventure as they follow clues from the fossil record and change what we thought we knew about the evolution of iconic beasts.
4
A comprehensive look at the events leading up to the Battle of the Little Bighorn as well as the myths and legends it spawned, and its impact on history.
2
Nature’s dramas play out in one of the most remarkable ecosystems on Earth: Yellowstone.
1
When a spirited kitten acquires magical powers, it transforms her into a part rainbow, part butterfly and part unicorn hybrid, and she goes on adventures with her best friends, a book-smart owl and a yeti, across a magical world, called Mythlandia.
4
Esther goes home to Skokie, Illinois to understand why her unique relationship with her parents motivated her to become a comedian. Documentary footage is intercut with stand-up, giving audiences a hilarious look into her origin story.
2
A single man who is searching for love turns to a dating site to find his perfect match.
2
Featuring exceptional access to Liverpool Football Club, this is the gripping inside story of the club’s 2019/20 Premier League winning season, set against the context of their global fan base waiting for 30 years of disappointment and near misses to come to an end.
1
Using two decades of intimate home video, the story of the Sanford family, whose struggles with addiction and gun violence eventually lead to a journey of love, loss, and acceptance.
1
After losing their dad as kids, the 3 Mann boys return to the family cabin every year to remember him, but when they walk in on their mom with a secret fiance, their trip becomes a wild test to see if he's Mann enough to join the family.
-1
Edward Forester's career and personal life have hit rock bottom-but not his spirit. At 64, the handsome bachelor moves in to a tiny apartment and must start over again.
1
Kiri and Lou is an animated series for children, hand-crafted in stop motion with creatures made of clay, in a forest of cut out paper. Each five minute story is told with humour and joy, about the friendship of two prehistoric creatures and their adventures in the forest. Kiri and Lou laugh and sing and play all kinds of games with their friends, as they learn to deal with the emotions of childhood. The series is written and directed by Harry Sinclair, based on an original idea by Rebecca Kirshner and Harry Sinclair.
2
An intimate and revealing insight into the work and lives of Stand-Up Comedians. Some of the biggest names in the game reveal what it's like to pursue this most challenging, yet important art-form.
3
Iris Evans (Suki Waterhouse) stars as a musician who has just completed her first soundtrack to a Hollywood feature and who finds her personal life getting complicated.
-1
Following the death of her father, a 17-year-old girl is sent to live with her estranged family and finds comfort in a questionable friendship with a self-destructive neighbor, leading both on a startling path to self discovery.
-3
After his wife's death in a car accident, Lucas Cole has become an angry, shut-down, public prosecutor trying to convict the world. He's also become a disconnected father to his son. Then on one, fateful day everything for Lucas seems to be tested: his values, career and relationships - it's Good Friday.
-2
The Christmas Kid stars Craig Roberts (Red Oaks, Submarine,) in a warm-hearted comedy from writer/director Jamie Adams (Black Mountain Poets), about a former child star who learns what’s really important at Christmastime. Anthony Richards (Roberts) – you know, the Anthony Richards, The Actor – is depressed. His agent (Dolly Wells) has just dropped him, he’s unemployed, and he has little choice but to go home for Christmas - home to his doting mother, his jealous brother and a claustrophobic Welsh community that still reveres him as the home town boy who made it big. Back in his childhood home Anthony has demons to confront. But when Patricia (Erin Richards), the Head of Drama at the area’s most prestigious stage school, presents Ant with an offer to write and direct a play, Anthony finally has the chance to leave his Christmas Kid’s baggage in the past, once and for all.
-1
When a Japanese pilot crash-lands on the tiny remote Hawaiian island of Ni'ihau, he is met with courtesy and traditional Hawaiian hospitality from the locals - until they discover he was part of the recent attack on Pearl Harbor.
-1
A woman makes a bet with her husband that she can get the next man she sees to propose to her.
0
Ryan's Mystery Playdate follows Ryan, his parents and animated friends Gus the Gummy Gator and Combo Panda as they work together to tackle a series of imaginative, physical challenges and unbox puzzles to reveal the identity of his mystery playdate.
0
A struggling addict ventures into the Louisiana swamps to reconnect with her estranged faith healer father, only to discover he is hiding a troubling secret aboard his houseboat.
-3
In response to a wave of discriminatory anti-LGBTQ laws and the divisive 2016 election, the San Francisco Gay Men's Chorus embarks on a tour of the American Deep South.
-2
Diggsy meets a stranger who gives him a key to parallel universes where another version of the girl of his dreams may not only exist, but where one of them could possibly love him back.
0
A Spanish-language TV remake of the classic Alfred Hitchcock movie is in the works with Javier Olivares, creator of hit Spanish drama "El Ministerio del Tiempo" ("The Department of Time") on board to adapt.
2
The millennial children of a groovy 70s burnout come home to do right by a mom who always did them wrong. Based on true lies, it explores the "OK, Boomer" relationship between the free love generation and those left to clean up the mess.
1
Follow a group of up-and-coming influencers living under one roof with one common goal - become the NEXT BIG SOCIAL MEDIA STAR.Find out if these TikTokers have what it takes to become #ATVNextInfluencer.
0
To many, the legacy of King Henry VIII begins and ends with his six wives. But remarkable though his marital history is, it is not what defines him. Just as influential were the men who surrounded him before and during his 37-year reign as King of England. Join host Dr. Tracy Borman as she reveals the story of Britain's most famous monarch and how his male advisors, ministers, family, and friends molded his views, shaped his destiny, suffered his ruthlessness, and, in the end, exploited his vulnerability.
2
As a last-ditch effort to spice things up and save their relationship, Colton and Emily invite a 3rd party into their bedroom.
-1
This sharp-witted dramedy studies a middle-aged NYC theatre actress suddenly forced to figure out the kind of person she wants to portray in real life when her marriage comes to an end after she catches her husband cheating.
-1
A New York family implodes over three days as they careen through mid-life and quarter-life crises.
-1
A man on the run from a brutal murder hides in the last place anyone will look for him, Michigan's frozen Upper Peninsula. When a wrong move gives him away he'll have to choose between running for his life or protecting the people he loves.
-3
Punk'd is back! And no one is safe! The iconic series returns with Chance the Rapper as the host -- masterminding the biggest pranks behind the scenes. The biggest stars are about to learn what happens if their fates were up to Chance.
0
A struggling writer accepts a once-in-a-lifetime offer to collaborate with a best-selling novelist at his remote Texas ranch.
0
A group of thieves are stranded in a semi-trailer after the only member capable of driving the getaway truck dies during the heist.
1
Damascus, Oregon, United States. Julie Keith finds a baffling message hidden in a pack of decorative items, a desperate plea for help, written by someone imprisoned in a Chinese labor camp called Masanjia…
-3
On their last day of summer, four high-school girls confront sex, violence and their uncertain future as they struggle to reconcile a rebellious youth with impending adulthood.
-4
It's June 1942 and the world's fate is about to be decided by a handful of pilots and their untested aircraft. Experience an inside look at the Battle of Midway, captured through rarely seen battle footage and firsthand accounts from its hero dive-bombing pilot, "Dusty" Kleiss. This is an hour-by-hour recount of one of the most pivotal conflicts of the 20th century. Take a closer look at how this desperately needed victory came about through the design of U.S. airplanes, the skill of the pilots, the element of surprise, and a stroke of luck.
0
Former NASA rocket engineer Chad Zdenek takes apart some of the world's mightiest machines and uncovers their secrets.
0
Sam Morril compares wearing a condom to doing volunteer work, wonders if murderers critique each other’s work and recalls befriending a vigilante in Cleveland.
2
Sprawling estates and magnificent castles dot Britain's landscape, passed down from one aristocratic heir or heiress to the next. But life in a stately home isn't quite the fairy tale it's made out to be. Join Julie Montagu, Viscountess Hinchingbrooke as she ventures through some of the most storied and remarkable estates in Great Britain. From England's Newby Hall and Holdenby House to Scotland's Inveraray and Floors Castles, this is an all-access look at grand residences and the families who keep their histories alive.
5
Roy Wood Jr. explores some of today's most complicated issues, from the plight of the black superhero to national anthem protests.
-4
Filmed in Malibu, California in front of a small, socially-distanced audience, Jeff Dunham returns in his 10th special made up of almost 100% brand new, untried or tested material.
0
The search for the empress's daughter reunites two long lost brothers who grew up on opposite sides of a war and now must choose between family bonds and political alliances.
-1
Several African American pioneers of the Space Race.
0
Blending stand-up performances from three different cities, Michael Kosta discusses living with his parents, the pitfalls of technology and why karaoke singers in L.A. are so serious.
0
Sadio's story is the classical heroes journey and and archetype for African football players. Blessed with exceptional talent, he sets out from his village to find his destiny in the world - defying his family, social structures, doubters and injuries - to come back triumphant and able to help those around him.
4
Bruce Franks Jr. is a 34-year-old battle rapper, Ferguson activist and state representative from St. Louis, Missouri. Known as Superman to his constituents, he is a political figure the likes of which you've never seen - full of contradictions and deep insights, who has overcome unspeakable loss to become one of the most exciting and unapologetic young leaders in the country. This short verité documentary follows Bruce at a critical juncture in his life, when he is forced to deal with the mental trauma he's been carrying for the nearly 30 years since his 9-year-old brother was shot and killed in front of him, in order to find peace and truly fulfill his destiny as a leader for his community.
-2
Human lives grappling with all the flavors of exstential despair intersect in a deadpan collage of comic suffering.
-2
A fly-on-the-wall documentary film crew follow Alex, a hopelessly romantic, rom-com obsessed virgin on a quest to find love. Alex quickly finds himself out of his depth when Lana, a Moldovan mail-order bride he met online makes the bold decision of moving to London to marry him.
1
'Lost and Found' is a film with 7 interconnecting stories set in and around a lost and found office of an Irish train station.
-1
Tori, Britt, and Erica are sorority sisters who spend a week together at a river house. When near-catastrophe strikes the three are forced against one another as sisters turn to enemies and their humanity and sanity spirals.
-2
In his new special, Joe List unpacks his neuroses: He explains what triggers his Obsessive-Compulsive Disorder, why it's insane to think anyone can sleep on a plane and his theory that the dental industry is a sham.
-3
Landmark documentary to mark the 50th anniversary of Neil Armstrong's first step on the moon.
0
Over the past six decades, thousands of women across the globe have become sick with an amalgam of mysterious and severe autoimmune disease symptoms. The common denominator in many of their cases? Breast implants. One such woman is beloved singer and media personality, Michelle Visage (RuPaul’s Drag Race) who, here, allows the audience into her journey to find wellbeing via “explant” surgery to remove her implants. Along the way, she introduces us to other women, all experiencing similar but uniquely debilitating indicators that their implants are poisoning them.
-4
Television and radio presenter Clive Anderson and anthropologist Mary-Ann Ochota explore the island's ancient places and rituals.
0
Two former best friends (who currently hate each other) are forced to reconnect when their third former best friend (who they also hate) tasks them with spreading his ashes. There's only one problem: they couldn't care less.
-1
Young lovers Tom and Ana, travelling through Europe, find work at the estate of the otherworldly Richard. Remote and cut off, they soon realise that they need to escape Richard’s powerful and controlling mind, before he traps them in his imagined world.
2
A hopeless romantic in drug rehab falls for a good girl from LA that's just looking for a good time.
1
America’s Wild Seasons is a landmark four-part documentary series that celebrates the drama and spectacle of the American wilderness, captured over the course of a turbulent and perilous year. On the ground, in the air and beneath the waves, the changing conditions provide a distinctive narrative arc as every wild inhabitant confronts life and death challenges.
-4
Join host Adam Mastrelli as he brings us face-to-face with the puzzling treasures of remarkable relics that are full of secrets, written in stone, gold, and blood. Explore hidden corners of the world, decipher ancient documents, and apply groundbreaking research and forensic techniques in our quest to discover the truth about these fabled cities, monuments, and remnants.
3
The Battle of the Falklands, between a Royal Navy task force and five German cruisers, was one of the most dramatic and bloodiest sea conflicts of World War I. When the smoke cleared, four of the German ships had sunk, including the flagship and pride of the German fleet, the SMS Scharnhorst. For decades, none of the downed vessels were ever found. Now, more than 100 years later, maritime archaeologist Mensun Bound and his team are searching for the ships and the secrets they hold. It's a race against time and the raging South Atlantic Ocean.
-2
In the hazy mountains of eastern Kentucky, a young woman searches for the missing pieces of a mysterious event that killed her family. When the truth is revealed, she must choose between the love of a man or avenging her blood.
-2
Robbie’s life may not have panned out the way he thought, but this small-town ice cream store manager, church league basketball coach and unexpected father isn’t ready to give up on his dreams just yet.
0
Suffering amnesia after a mysterious accident, film director Archie Finch pieces together his life with the help of a seeming specter.
-2
Nearly 70 years ago, a new monarch ascended the British throne, Queen Elizabeth II. To succeed, she would need the full power and glamour of the Royal Family, but three key figures in her life would complicate that task: her rebellious sister, Princess Margaret, her husband Philip's power-hungry uncle, Lord Mountbatten, and the royal matriarch: the Queen Mother. Using letters and diaries written by the Windsors, we delve into the stresses and strains of their relationships as the Royal Family faces new challenges in the modern age.
-1
After being left at the altar, Pete's groomsman give him a wedding gift he'll never forget. An escort. Maybe it's the Lunar Eclipse, maybe it's fate, but after a magical night in the city maybe this girl is what Pete needed all along.
1
Treyvon has everything, well almost everything. He's got the fast car, good city job, model looks - even a good sense of humor, and yep - a body to die for. The only thing missing is that one special somebody. Ever since he embarrassed a young woman who asked him for a date, his love life has been cursed. Now, over 15 years later, he is trying to break the spell.
3
A few years after her mother's passing, 17-year old Tennie's reputation at school takes a major hit before the prom. To further complicate the daily rigors of teenage life, her father, Robert, an advertising executive who has since rebuilt his business, tries to do the same with his relationship with his daughter. Against his therapist's advice, overeager Robert tries really hard to get close to Tennie by showing his own way of caring. He tries to find out about his daughter's personal life with the help of his newly appointed, 19 year-old driver/intern, Jack. Practically being raised by her extended family, Tennie although very academically inclined and mature for her age, with compassion for others, she's got a touch of sarcasm, and a hint of rebelliousness. After she catches on to her father's plan, Tennie realizes that in order to get her father off of her back, she needs to convince him to find a lady friend. She recruits her friends to create an online dating profile in order to introduce her father to potential companions. Little did she know that her father already was seeing someone that he was not yet ready to introduce to her. Things escalate when Robert gets Tennie's friends from school to participate in a focus group for a project, and in retaliation, Tennie throws a party at the house with almost half of the school showing up. A series of hilarious interactions between father and daughter ensues that starts to close the generational gap between them. What finally brings them together is a long overdue heart to heart conversation about past transgressions. One thing becomes certain, they will always have each other.
1
Four forty-somethings each mired in some sort of mid life malaise reunite their 90's indie rock band.
-1
When a thirty-something travel nurse meets a friendly mortician at a Guns 'N Roses concert, she thinks she's finally found her match -- until he ghosts her the next day. Overwhelmed, she turns to her four gay best friends for support  as she confronts hard truths and figures out her next move.
1
Five disparate youths, lost on a road trip to the location of the infamous 'mangrove slasher,' end up being pursued by a cadre of cannibal clowns.
-3
Based on true events- A young woman struggles to piece her world together after a botched suicide attempt.
-2
Air Force One is a marvel of military engineering. For more than half a century, the presidential fleet of armed jumbo jets has served as a flying fortress for America's commanders-in-chief, carrying them in victory, in shame, and even death. Join us as we take an unprecedented look at the world's most famous aircraft: how it was born, how it has developed over the decades, and the role it has played in historic events, from the death of Kennedy to the 9/11 attacks to a morale-building, surprise Thanksgiving visit to Iraq, and more.
-1
Malawi is a small African country that has made a big push to protect its wildlife. Leading the effort is American veterinarian Dr. Amanda Salb and her colleagues at the country's only animal rescue center, where injured and abandoned creatures are saved and rehabilitated. This six-part series follows the dedicated team as they care for a variety of patients, including vervet monkeys, bulbuls, baboons, hedgehogs, and many more, often working with limited resources and in dangerous conditions as they prepare the animals to return to the wild.
2
After a failed attempt at “making it,” jaded 29-year-old artist Leinad Nahallac returns home to a dead end job and a deepening depression. But when he mistakenly dials a wrong number at work, a mysterious voice on the other end shatters his malaise and offers him a way out of his misery. A twisted journey ensues in which the lines between reality and fantasy, past and present, dream and nightmare blur into a maddening labyrinth that will lead Leinad either towards his destiny or destruction.
-11
James Davis: Live From The Town is a raucous hour of comedy that puts Davis’s second-to-none stage presence and crowd engagement on full display. With a captivating delivery that keeps his audience hanging on his every word, Davis shows incredible range, including an impression of Barack Obama as a party DJ; the invention of Barbecue Davis, his professional golf alter-ego; dissections of social topics from #MeToo to police violence; and hilarious commentary on everything from “pimp uncles” to getting his car keyed.
3
The edges of reality are blurred when a young man struggles to overcome a broken relationship.
-3
A millennial couple in a long-term relationship break up amid a nuclear missile crisis in LA.
-2
JoJo's D.R.E.A.M. Tour has all been building to her homecoming show in Omaha, Nebraska. This hour-long special is packed full of live concert performances, surprises, heart, and all the magic of D.R.E.A.M. The Tour.
1
As the Internet finally arrives in tiny Bhutan, documentarian Thomas Balmès is there to witness its transformative impact on a young Buddhist monk whose initial trepidation gives way to profound engagement with the technology.
1
Ewan McGregor narrates a dramatic trilogy of programmes featuring the epic struggles of the animals of the North.
-1
Classic SpongeBob SquarePants episodes are dramatically told in the style of popular documentary and news magazine formats.
2
This extremely visual docudrama follows Humboldt’s extraordinary path. Travelling in Humboldt’s footsteps is historian Andrea Wulf, whose book on Humboldt became a worldwide bestseller. For good reason, since Humboldt’s ideas on the planet’s fragile web of life are as important today as they were 220 years ago.
2
Alatha's father calls himself a Mover. Using African dance moves, he helps kids in Khayelitsha township to transcend their hardship (drugs, poverty and abuse) and "find their superpowers." The Mover is also a single father. And while he has helped many kids, he still has difficulty getting his own daughter to find her own powers. But in a tender moment together, this is all about to change.
-2
For years, wildlife filmmaker Casey Anderson has tracked mountain lions by his home in Montana, but always from a distance. That all changes when he joined a film crew in Chile's Torres Del Paine National Park.
0
A look at some of the most important, innovative and powerful weapons of all time. Through unique experiments run by weapons specialists, explore how and why these weapons work and the role each one has played in shaping the world we know today.
4
The historian explores the history of Greece from the time of the Ancients to the present day.
0
Iceland is an island on fire, with 30 active volcanoes generating a third of the world's land-based lava. Across the small country, steam hisses, water erupts, and magma spews. But there is one force powerful enough to challenge Iceland's fiery heart: ice. Join us on a spectacular tour over a land of spellbinding contrasts, where fierce volcanoes and powerful glaciers coexist, and new ground is borne every day from deep inside the Earth's blazing core. It's a unique view of a one-of-a-kind world and you have a first-class seat.
4
An intimate look at lockdown life in Shanghai during the COVID-19 outbreak.
0
Heart warming unusual friendships between unexpected animals from all around the world.
-2
A couple of hippies are searching for Joe, an old friend who apparently never aged a day since they were young. Through technicolor ninjas, bizarre metalheads, shamans and ancient rituals, the two embark on a journey with no turning back.
-1
In his new special Size 38 Waist, Chris Distefano rails against New York City hipsters and watches as his daughter grows up way too fast.
0
Before he wrote the book that revolutionized the way people understood evolution, a young Charles Darwin found himself, by chance, on a strange sea voyage. This is the story of the HMS Beagle, which traveled from Great Britain to survey South America's coastline, but also became part of its Captain Fitzroy's flawed social experiment. It's a tale of bold exploration, tragic miscalculation, the death of a civilization, and the birth of Darwinism.
-3
Britain in Color showcases key moments in 20th century Britain seen for the first time in color.
0
America's northern border with Canada shows a wide range of habitats and weather extremes; even in the absence of a physical border, the political boundary poses many problems for wild residents.
-3
The fossil of a completely intact armoured dinosaur, Borealopelta markmitchelli, is discovered in Canada. Dinosaur Cold Case follows the evidence, as paleontologists piece together the prehistoric clues of Borealopelta’s life and death.  Why was it found upside down, in what was once an inland sea? How did it die and why was it so perfectly fossilized?
-2
For four years, Asgeir Helgestad, a Norwegian wildlife filmmaker, has followed a beautiful polar bear mother named Frost in her home on Svalbard, a group of islands in the Arctic Ocean. Rising temperatures are causing dramatic changes in her ecosystem, leading to desperate struggles to find food for herself and her young cubs. Follow this tale of man and beast, hope and despair, and life and death in a land disappearing before their eyes.
-3
Track the stories of the pilots of Vietnam's Operation Rolling Thunder and their race to survive their 100-mission goal.
0
A desperate American dreamer kidnaps her demented father after he cuts her out of his will.
-1
Follow a new generation of the Dutton family during the early twentieth century when pandemics, historic drought, the end of Prohibition and the Great Depression all plague the mountain west, and the Duttons who call it home.
-2
A tale of outsized ambition and outrageous excess, tracing the rise and fall of multiple characters in an era of unbridled decadence and depravity during Hollywood's transition from silent films and to sound films in the late 1920s.
-2
Samantha and Jay throw caution to the wind when they convert their recently inherited country estate into a bed-and-breakfast. Call it mislaid plans. Not only is the place falling apart, but it’s also inhabited by spirits of previous residents -- whom only Samantha can see and hear.
-1
In a small Michigan town where the business of incarceration is the only thriving industry, the McClusky family are the power brokers between the police, criminals, inmates, prison guards and politicians in a city completely dependent on prisons and the prisoners they contain.
-3
After more than thirty years of service as one of the Navy’s top aviators, and dodging the advancement in rank that would ground him, Pete “Maverick” Mitchell finds himself training a detachment of TOP GUN graduates for a specialized mission the likes of which no living pilot has ever seen.
3
Follow the Dutton family as they embark on a journey west through the Great Plains toward the last bastion of untamed America. A stark retelling of Western expansion, and an intense study of one family fleeing poverty to seek a better future in America’s promised land — Montana.
-1
Just after he is released from prison after 25 years, New York mafia capo Dwight “The General” Manfredi is unceremoniously exiled by his boss to set up shop in Tulsa, Okla. Realizing that his mob family may not have his best interests in mind, Dwight slowly builds a “crew” from a group of unlikely characters, to help him establish a new criminal empire in a place that to him might as well be another planet.
-2
After witnessing a bizarre, traumatic incident involving a patient, Dr. Rose Cotter starts experiencing frightening occurrences that she can't explain. As an overwhelming terror begins taking over her life, Rose must confront her troubling past in order to survive and escape her horrifying new reality.
-7
Twenty-five years after a streak of brutal murders shocked the quiet town of Woodsboro, a new killer has donned the Ghostface mask and begins targeting a group of teenagers to resurrect secrets from the town’s deadly past.
-4
A talented P.I. agrees to work as the in-house investigator for his mother, who is reeling from the recent dissolution of her marriage.
1
Oscar-winning producer Al Ruddy’s never before revealed experiences of making the iconic 1972 film The Godfather that Francis Ford Coppola directed and adapted with Mario Puzo.
0
Seeking redemption and a shortened prison sentence, young convict Bode Donovan joins a firefighting program that returns him to his small Northern California hometown, where he and other inmates work alongside elite firefighters to extinguish massive blazes across the region.
1
A pair of U.S. Navy fighter pilots risk their lives during the Korean War and become some of the Navy's most celebrated wingmen.
0
Follow Christopher Pike, Spock and Number One in the years before Captain Kirk boarded the U.S.S. Enterprise, as they explore new worlds around the galaxy. This show is a prequel to the original series and Star Trek: Discovery.
0
Jane Tennant, the first female Special Agent in Charge of NCIS Pearl Harbor, and her unwavering team of specialists balance duty to family and country while investigating high-stakes crimes involving military personnel, national security and the mysteries of the sun-drenched island paradise itself.
0
Facing an existential threat that could bring down the Crime Lab, a brilliant team of forensic investigators must welcome back old friends and deploy new techniques to preserve and serve justice in Sin City.
-1
Robyn McCall, an enigmatic former CIA operative with a mysterious background, uses her extensive skills to help those with nowhere else to turn.
0
Reclusive author Loretta Sage writes about exotic places in her popular adventure novels that feature a handsome cover model named Alan. While on tour promoting her new book with Alan, Loretta gets kidnapped by an eccentric billionaire who hopes she can lead him to the ancient city's lost treasure that featured in her latest story. Alan, determined to prove he can be a hero in real life and not just on the pages of her books, sets off to rescue her.
3
Follow the elite agents of the FBI's International Fly Team as they travel the world with the mission of protecting Americans wherever they may be.
1
The story of Alana Kane and Gary Valentine growing up, running around and going through the treacherous navigation of first love in the San Fernando Valley, 1973.
0
The remarkable true story of how retiree Jerry Selbee discovers a mathematical loophole in the Massachusetts lottery and, with the help of his wife, Marge, wins $27 million dollars and uses the money to revive their small Michigan town.
2
Depicting an epic 26th-century conflict between humanity and an alien threat known as the Covenant, the series weaves deeply drawn personal stories with action, adventure and a richly imagined vision of the future.
0
Following the events at home, the Abbott family now face the terrors of the outside world. Forced to venture into the unknown, they realize that the creatures that hunt by sound are not the only threats that lurk beyond the sand path.
-4
Regina Haywood is the newly promoted deputy inspector of East New York, a working-class neighborhood at the edge of Brooklyn. She leads a diverse group of officers and detectives, some of whom are reluctant to deploy her creative methods of serving and protecting in the midst of social upheaval and the early seeds of gentrification.
0
After settling in Green Hills, Sonic is eager to prove he has what it takes to be a true hero. His test comes when Dr. Robotnik returns, this time with a new partner, Knuckles, in search for an emerald that has the power to destroy civilizations. Sonic teams up with his own sidekick, Tails, and together they embark on a globe-trotting journey to find the emerald before it falls into the wrong hands.
-1
A cold and mysterious new security guard for a Los Angeles cash truck company surprises his co-workers when he unleashes precision skills during a heist. The crew is left wondering who he is and where he came from. Soon, the marksman's ultimate motive becomes clear as he takes dramatic and irrevocable steps to settle a score.
0
While hanging out after school, Charlie and his friends discover the headquarters of the world’s most powerful superhero hidden beneath his home. When villains attack, they must team up to defend the headquarters and save the world.
0
After a series of tragedies including the death of his father-in-law, Robert and his wife Maia leave their home in London to move back to her childhood home. But when Robert discovers an old portrait in the attic of a man who is his spitting image, he goes down a rabbit hole to discover the identity of this mysterious doppelganger known only as the visitor. It isn’t long until he realizes – where the visitor goes, death follows.
-4
When Patrizia Reggiani, an outsider from humble beginnings, marries into the Gucci family, her unbridled ambition begins to unravel the family legacy and triggers a reckless spiral of betrayal, decadence, revenge, and ultimately… murder.
-6
Ruth and Harry decide to take a romantic backpacking trip through the Pacific Northwest, but amongst the beautiful scenery, Ruth makes an unexpected discovery that sets her off on a strange, frightening new path. The couple aren't alone in the woods, and they might not be the same when they come out...if they come out.
-1
After escaping from an Estonian psychiatric facility, Leena Klammer travels to America by impersonating Esther, the missing daughter of a wealthy family. But when her mask starts to slip, she is put against a mother who will protect her family from the murderous “child” at any cost.
1
Two former Army Rangers are paired against their will on the road trip of a lifetime. Briggs (Channing Tatum) and Lulu (a Belgian Malinois) race down the Pacific Coast to get to a fellow soldier's funeral on time.
0
The Jackass crew, along with some newcomers, returns for one final round of hilarious, absurd, and dangerous stunts.
-2
A game warden and his family navigate the changing political and socio-economic climate in a small rural town in Wyoming on the verge of economic collapse. Surrounded by rich history and vast wildlife, the township hides decades of schemes and secrets that are yet to be uncovered.
0
Too self-conscious to woo Roxanne himself, wordsmith Cyrano de Bergerac helps young Christian nab her heart through love letters.
2
Anthony and his partner move into a loft in the now gentrified Cabrini-Green. After a chance encounter with an old-timer exposes Anthony to the true story behind Candyman, he unknowingly opens a door to a complex past that unravels his own sanity and unleashes a terrifying wave of violence.
-1
A group of enslaved teenagers steal a derelict Starfleet vessel to escape and explore the galaxy.
-1
A promising up-and-coming country duo seek out the secluded mansion of their idol Harper Dutch, a former country music star and Nashville royalty turned recluse. What starts out as a friendly visit devolves into a twisted series of horrors forcing the friends to confront the lengths they will go to in pursuit of their dreams.
1
A four-part documentary that takes viewers inside the heart-stopping stories of terror and survival experienced by those who were at the 2017 Route 91 Harvest Music Festival in Las Vegas.
0
Travis Block is a government operative coming to terms with his shadowy past. When he discovers a plot targeting U.S. citizens, Block finds himself in the crosshairs of the FBI director he once helped protect.
0
A hard-on-his-luck hound finds himself in a town full of cats in need of a hero to defend them from a ruthless villain's wicked plot to wipe their village off the map. With help from a reluctant mentor, our underdog must assume the role of town samurai and team up with the villagers to save the day.
-4
Reality titans from the CBS universe compete in the most unpredictable and demanding game of their lives. With an ever-changing game, players are in a constant state of paranoia, unable to trust anyone but themselves. The CBS all-stars compete for a chance to join the upcoming global “War of the Worlds” championship.
-2
Clawdeen Wolf, half human and half werewolf, has recently started attending Monster High, a school for monsters in all forms. After quickly befriending her classmates Frankie Stein and Draculaura, Clawdeen feels like she has finally found a place where she can truly be herself, or so she thinks. Soon, a devious plan to destroy Monster High threatens to reveal her real identity and Clawdeen must learn to embrace her true monster heart before it's too late.
-5
With a narrative running deeper than a catchy tune and cryptic verses, “American Pie” is a musical phenomenon woven deep into the history of American culture, entertaining audiences around the world for over 50 years. This documentary tells the stories of the people who were a part of this moment from the beginning, shows the point of view of a new generation of artists who are motivated by the same values and ideas that inspired the song’s creation, and highlights cultural moments in America’s history that are as relevant now as they were in 1971, when the song was released.
3
Life, death and drama at 20,000 feet. The series weaves together intense character journeys and high-stakes medical rescues, as we follow the triumphs, heartbreaks and tribulations of budding nurses and pilots flying air ambulances in remote Northern Canada. They’re all in over their heads, and on their own, with no one to rely on but each other.
-1
The rise of Aretha Franklin’s career from a child singing in her father’s church’s choir to her international superstardom.
0
The Addams get tangled up in more wacky adventures and find themselves involved in hilarious run-ins with all sorts of unsuspecting characters.
-1
Evan McCauley has skills he never learned and memories of places he has never visited. Self-medicated and on the brink of a mental breakdown, a secret group that call themselves “Infinites” come to his rescue, revealing that his memories are real.
0
Follow the impressive decades-long career of barrier-breaking Spanish singer and songwriter Miguel Bosé.
1
In a world where monster wrestling is a global sport and monsters are superstar athletes, teenage Winnie seeks to follow in her father’s footsteps by coaching a loveable underdog monster into a champion.
-3
In 1998, Beavis and Butt-Head are sentenced to Space Camp by a “creative” judge. Their obsession with a docking simulator (huh huh) leads to a trip on the Space Shuttle, with predictably disastrous results. After going through a black hole, they re-emerge in our time, where they look for love, misuse iPhones, and are hunted by the Deep State. Spoiler: They don’t score.
2
14 of the world’s biggest reality superstars from some of television’s most iconic series – “Jersey Shore,” “Love Is Blind,” “RuPaul’s Drag Race,” “Geordie Shore,” “Acapulco Shore,” “Rio Shore,” and “Bachelor in Paradise” – come together for an epic vacation at the ultimate shore house in the Canary Islands, to battle it out for a cash prize and global bragging rights.
2
After their school bus crashes, a group of high school students is thrown into a terrifying fight for survival as they try to take down a group of unhuman savages… before they kill each other first.
-1
Desperate for a role as a demonologist, struggling actor Clayton contacts Eliza, an expert in devil lore, to help him prepare. As he spends the weekend at her home, Eliza forces Clayton to confront his troubling past, perform dark rituals, and sacrifice a goat. Does she want to help Clayton, seduce him—or destroy him?
-7
Cartman locks horns with his mom in a battle of wills while an epic conflict unfolds that threatens South Park’s very existence.
-1
After learning that their younger sibling escaped an earlier kidnapping attempt that also killed their parents, two estranged sisters must join forces to rescue her from a group of bloodthirsty vampires.
-3
Honor is an ambitious high school senior whose sole focus is getting into Harvard, assuming she can first score the coveted recommendation from her guidance counselor, Mr. Calvin. Willing to do whatever it takes, Honor concocts a Machiavellian-like plan to take down her top three student competitors, until things take a turn when she unexpectedly falls for her biggest competition, Michael.
5
Ten years after signing off of one of TV's most iconic shows, Carly, Spencer, and Freddie are back, navigating the next chapter of their lives, facing the uncertainties of life in their twenties.
0
While diving in a remote French lake, a couple of YouTubers who specialise in underwater exploration videos discover a house submerged in the deep waters. What was initially a unique finding soon turns into a nightmare when they discover that the house was the scene of atrocious crimes. Trapped, with their oxygen reserves falling dangerously, they realise the worst is yet to come: they are not alone in the house.
-6
Eurovision-like singing competition featuring drag queens from around the world who compete to be crowned the Ultimate Queen of the Universe
-1
After saving the life of their heir apparent, tenacious loner Snake Eyes is welcomed into an ancient Japanese clan called the Arashikage where he is taught the ways of the ninja warrior. But, when secrets from his past are revealed, Snake Eyes' honor and allegiance will be tested – even if that means losing the trust of those closest to him.
1
As Emily struggles to fit in at home and at school, she discovers a small red puppy who is destined to become her best friend. When Clifford magically undergoes one heck of a growth spurt, becomes a gigantic dog and attracts the attention of a genetics company, Emily and her Uncle Casey have to fight the forces of greed as they go on the run across New York City. Along the way, Clifford affects the lives of everyone around him and teaches Emily and her uncle the true meaning of acceptance and unconditional love.
0
As Emily struggles to fit in at home and at school, she discovers a small red puppy who is destined to become her best friend. When Clifford magically undergoes one heck of a growth spurt, becomes a gigantic dog and attracts the attention of a genetics company, Emily and her Uncle Casey have to fight the forces of greed as they go on the run across New York City. Along the way, Clifford affects the lives of everyone around him and teaches Emily and her uncle the true meaning of acceptance and unconditional love.
0
Inspired by the long-running scripted classic about vacationers aboard a luxury Princess Cruises ship, it’s full-steam ahead on CBS for The Real Love Boat. And it’s all about romance, chronicling the adventures of real-life singles brought together for a Mediterranean voyage in search of The One. Assuming they navigate the compatibility and chemistry challenges along the way, only one lucky couple will win a cash bounty and ultimate luxury Princess Cruise. The Real Love Boat —come aboard, they’re expecting you.
7
Ryder and the pups are called to Adventure City to stop Mayor Humdinger from turning the bustling metropolis into a state of chaos.
-1
Eli Timoner, a dedicated husband, father, and entrepreneur who founded the airline Air Florida in the 1970s, decides to medically terminate his life. During the 15-day waiting period, the bedridden but sharp-witted Eli says goodbye to those closest to him and helps them prepare for his departure. While his loved ones look back on Eli’s successes and devastating blows, they struggle to reconcile his choice.
1
A family reunion at a remote mansion takes a lethal turn when they are trapped inside and forced to play a deadly survival game where only one will make it out alive.
-2
New players offer a modern-day examination of Black culture through the prism of pro football, while trying to keep their souls as they play The Game.
0
Jennifer Vogel’s father John was larger than life. As a child, Jennifer marveled at his magnetizing energy and ability to make life feel like a grand adventure. He taught her so much about love and joy, but he also happened to be the most notorious counterfeiter in US history. Based on a true story and directed by Sean Penn, Flag Day stars Penn and his real-life daughter Dylan Penn in an intimate family portrait about a young woman who struggles to rise above the wreckage of her past while reconciling the inescapable bond between a daughter and her father.

3
Margot, a documentary filmmaker, heads to a secluded Amish community in the hopes of learning about her long-lost mother and extended family. Following a string of strange occurrences and discoveries, she comes to realize this community may not be what it seems.
-1
Hosted by Brihony Dawson and filmed in Buenos Aires, Argentina, The Challenge Australia will see an algorithm randomly pair challengers to compete in gruelling physical contests, test strategies, survive eliminations, cutthroat alliances and steamy hook-ups to win daily challenges and eliminate their opponents.
-3
Jim Hanson’s quiet life is suddenly disturbed by two people crossing the US/Mexico border – a woman and her young son – desperate to flee a Mexican cartel. After a shootout leaves the mother dead, Jim becomes the boy’s reluctant defender. He embraces his role as Miguel’s protector and will stop at nothing to get him to safety, as they go on the run from the relentless assassins.
-5
A woman's life takes an unexpected turn when she falls for her boss's wife. She must soon defend herself as she becomes entangled in a web of malice.
-3
If Stan, Kyle and Cartman could just work together, they could go back in time to make sure Covid never happened. But traveling back to the past seems to be the easy answer until they meet Victor Chaos.
1
After surviving a car accident that took the life of her boyfriend, a teenage girl believes he's attempting to reconnect with her from the after world.
0
What happened to the children who lived through the Pandemic? Stan, Kyle, Cartman and Kenny survived but will never be the same Post Covid.
0
Bri, a young rapper and the daughter of an underground hip hop legend who died just before making it big. Her father’s legend makes him a hard act to follow, but between Bri being bullied and watching her mother struggle after losing her job, she pours out her frustration into songs that become big viral hits.
-5
An all-star global music event live from London's Taylor Hawkins Tribute Concert featuring the biggest names in music joining together in celebration of the life, music and love of Taylor Hawkins, one of modern music’s most beloved figures.
4
Twenty-two of the most iconic, boldest, and fiercest Challenge All Stars from the original The Real World and Road Rules return for a second chance at the ultimate competition as they vie for their shot at the $500,000 grand prize. Follow the competitors as they face unprecedented, over-the-top challenges set in the Andes Mountains of Argentina.
2
An otherworldly journey through a Europe in decline - a collection of darkly humorous, fantasy tales about ill-fated characters and doomed fortune.
-1
Follows a troubled couple and their daughter who go on vacation to an isolated house in the Louisiana bayou to reconnect as a family. But when unexpected visitors arrive, the unity starts to unravel.
-3
On the south shore of Long Island in the summer of 1982, a group of working-class teenagers and 20-somethings work their summer jobs, fall in and out of love, and wrestle with what the future holds when the summer ends and the real world beckons.
1
The series recounts the hard times that result from the loss of a loved one, optimistically showing how, despite the wounds, sooner or later it is possible to laugh again, love and, above all, live again.
-1
After leaving a life of crime and violence, Ray is a reformed good guy, enjoying a quiet family life in the ‘burbs. But when his past is discovered, Ray is blackmailed into one last job to collect a mysterious package. After a deadly double-cross, he finds himself wounded and on the run from ruthless assassins who will stop at nothing to get what he has. Now, with the lives of his loved ones hanging in the balance and danger at every turn, Ray’s only hope is to draw upon his violent past to survive.
-2
Follow Adam and Emma on their daily commute from the village of Langton to London, where they meet the same passengers every day. One morning, Adam breaks the unspoken taboo of talking to strangers on a train and invites the entire carriage to hold their own Christmas party together.
-3
The absorbingly cinematic Ascension explores the pursuit of the “Chinese Dream.” Driven by mesmerizing—and sometimes humorous—imagery, this observational documentary presents a contemporary vision of China that prioritizes productivity and innovation above all.
1
Honest, humorous and emotional, each episode features a famous performer and their mother, alongside Dave and Virginia Grohl, as they take an impassioned journey home and explore each artists' upbringing and the tools they received as a young talent to survive the turbulence of success.
6
Angie Goodwin, 17, along with her best friends, Sarah and Andre, go through a horrific car crash. While her friends miraculously survive, Angie disappears. She decides to fulfill her childhood fantasy & embarks on a mysterious journey.
-1
A woman scores an invite to one last wild party before the world ends. However, making it there won't be easy after her car is stolen and the clock is ticking on her plan to tie up loose ends with friends and family.
-2
Two priests need to find the whereabouts of an alleged healer who mysteriously disappears. Soon they discover a psychiatric community on the outskirts of town which is hiding secrets behind the missing healer.
-1
The Reno Sheriff’s Department find themselves in their stickiest situation yet, hunting down “Q," the person supposedly behind all of the conspiracy theories concocted by the QAnon movement. In their valiant efforts, the officers find themselves stuck at the QAnon convention at sea, and ultimately end up in more trouble when they escape only to discover that they’ve landed on Jeffrey Epstein’s infamous island.
-3
An investigation into our landscape's hidden fire stories and on-the-ground experiences of firefighters and residents struggling through deadly fires.
-2
A woman takes advantage of her growing celebrity status when the police and the public think her dead husband is just missing.
0
Set against a dreary small town, reclusive locksmith Ethan Daunes struggles to keep ties with his younger brother Shane. Ethan's life takes an unsettling turn after finding a strange small creature and forming a mysterious connection. After a string of unexplained killings, the creature's true nature is soon revealed, and Ethan finds himself at the center of panic and paranoia.
-9
A new species of Transformers must find their place and purpose among Autobots, Decepticons, and the human family who adopts them.
0
A millionaire entrepreneur invents a new form of ecstasy only for his business to be chased down by the Chinese triads.
1
Coming-of-age film about Caleb, a South Florida teen. On the eve of his high school graduation, everything changes when he's exposed to HIV. While he waits three months for his results, he finds love in the most unlikely of places.
0
The story of a woman whose world seemingly crumbles when she suffers a stroke. What at first seems like a tragedy ends up being an opportunity to reunite her family and rebuild her life.
-1
When Josh gets the opportunity of a lifetime to audition for Rainbow Puppy’s Broadway musical, Josh and Blue skidoo to NYC for the very first time where they meet new friends and discover the magic of music, dance, and following one’s dreams.
1
Trey Parker and Matt Stone celebrate South Park's 25th anniversary with a concert in Colorado, featuring Primus and Ween.
1
Jane is the subject of a twisted science experiment where she is placed in a parallel world and is forced to find a way to either alter her reality or be stuck in a time-loop, destined to repeat the same test over and over again, with no memory of her doing it before. But with each 'reset' she starts to retain fragments of memory. With clues pointing to the mysterious Wytness Quantum Research Centre, she tries to find a way out.  (The film was shot entirely on an iPhone during the UK’s first lockdown.)
-3
One of the city's last decent tow truck drivers risks everything on a desperate quest to become king of the road and provide for his struggling family.
-2
Based on the 2014 short of the same name, The Florist follows millennial Annika, played by Murphy, who earns her living selling edible hypnotic flowers to fashionable eateries across Los Angeles.
1
When a young woman, Lola, is invited to a secret facility, she discovers an experiment beyond space and time. After uncovering her own past life as a teenage boy named Robbie, she embarks on a malevolent path for justice against the ex-con who killed him.
-2
A story of a family seeking shelter in a neighbor’s bunker while the American economy is in collapse and the nation under martial law. There they find the danger inside is potentially greater than the danger outside.
-3
This 25th anniversary film of the legendary Oasis gig at Knebworth features a 1996 archive concert that has never ever been shown alongside rare backstage footage, with additional interviews with the band and concert organisers.
2
Sixth-grader Nate Wright has a never-ending need to prove his awesomeness to the world. Whether he’s dealing with disasters at home or detention at school, Nate is no stranger to a challenge. Luckily, he’s able to express himself through the world of cartoons that he creates. Charming, mischievous and a magnet for misadventure – trouble is always fun when Nate is around.
-1
Micky Adams, an eccentric has-been rock musician, loses his grip on reality as his record label looks to drop him and his new "unique" albums. In hopes of breaking out of the mailroom, young Charlie Porter is tasked with traveling to the musician's bizarre home and forcing Micky out of his contract. Micky realizes Charlie could be the key to an artistic breakthrough and the pair's unlikely friendship grows. The odd but powerful bond helps both gain perspective on the music industry, life, love... and the space between.
-2
SpongeBob and friends spend the summer catching jellyfish, building camp-fires, and swimming in Lake Yuckymuck at Camp Coral, located in the Kelp Forest.
0
As their senior year comes to an end, the pressure to “make it out alive” seems daunting for high school seniors Bobby, Caroline and Adam. As they each discover what it means to love and be loved they find themselves navigating the complex nature of human relationships, facing their own personal versions of neglect and abandonment. With baseball forming the backdrop to this coming of age story, three teens find themselves on a treacherous path towards adulthood.
-2
With just a mobile phone and a gun, Mahmud, Ziyad and their group risk their lives trying to save Yazidi women and girls being held by ISIS as Sabaya (abducted sex slaves) in the most dangerous camp in the Middle East, Al-Hol in Syria.
-3
Nothing is off limits in this weekly late-night series as Lenard "Charlamagne" McKelvey takes on social issues in a variety of deep dives, sketches and social experiments, and unpacks the most pressing topics in politics and culture.
-1
Ten year old Jo spends her days along the Shenandoah River with her imaginary best friend Selma, fishing, scrapping for metal-surviving. But when her abusive junkie stepdad dies, Jo decides, Selma in tow, to dump the body, steal the car, and set off across the country in search of her real dad, a legendary folk singer in Los Angeles.
-2
A slightly dystopian vision of LA, we follow three disaffected teenagers, Jessie, Calvin and Nicky, all victims of extreme childhoods, running supreme hedonistic riot as they try to work out a way in life.
0
In the series, exceptionally talented young dancers from across the country will invite one inspirational, and untrained, family member or other adult who has supported their dance dreams, to become their dance partner for a chance to strut their stuff for a grand prize. Each week, these aspiring kids will share their love of dance with their mother, father, grandparent or other hero on an uplifting and emotional journey to learn and perform challenging routines, with the assistance of professional choreographers, in a competition with other duos.
7
A police inspector tries to find out who has murdered numerous inmates who could have been released from prison thanks to the cancellation of the controversial Parot doctrine.
-2
A drama-comedy about a novelist hitchhiking across Europe to complete her book tour after her publisher goes bankrupt.
-1
Fresh insights and stunning details about the most dangerous man in the world from the women close to the ultra-wealthy oligarchs who put Vladimir Putin in power. Delivering a rare, female perspective on the oligarch world, this documentary meets the wives and girlfriends who have lived for years, some for decades, inside this inner circle. Putin's once closest allies are now taking a stand...and some are paying the ultimate price.
1
A look at the life and legend of Sir Alex Ferguson, from his working-class roots in Glasgow through to his career as one of the greatest football managers of all time. While recovering from a traumatic brain haemorrhage in 2018, Sir Alex intimately recounts vivid details of his life and career to his son, including his legendary 26-year tenure as manager of Manchester United.
2
Filmed in Lisbon, Portugal, the film captures the pop icon’s rare and rapturous tour performance, hailed by sold out theatrical audiences worldwide. The unprecedented intimate streaming experience will take viewers on a journey as compelling and audacious as Madonna’s fearless persona, Madame X, a secret agent traveling around the world, changing identities, fighting for freedom and bringing light to dark places.
2
A horror-comedy slasher set in the 80s about a woman wrongfully fired from her office job and forced to take on a temporary job on a crime scene cleanup crew. With a maniacal serial killer on the loose leaving them lots of work, did he ever leave the scene of the crime?
-4
Chris Blythe returns to his home town in Wales after losing a fortune in Canada. He falls in love with Elen, a volatile and charismatic woman. But Elen's father Billy is a dangerous man. And Chris finds himself torn between love and hate.
-1
At the scene of every crime is a story of a time, the place, and its people. This six-part series steps back in time to examine the most gruesome and compelling murder mysteries of the past 200 years, viewed through the lens of the eras and cities in which they took place. Through cinematic reenactments, we follow the determined investigators and complex perpetrators while revealing how each case made its own mark on history.
-5
In New Jersey, the Good Grief community focuses on a holistic way of dealing with grief, where children can give in to rage in ‘the volcano room,' and say goodbye to a dying teddy bear patient in ‘the hospital room.'  Over the course of a year, we follow the weekly meetings and get close to Kimmy, Nicky, Peter, Nora, Nolan, and Mikayla and their close companion: grief. It is sometimes heartbreaking, but also humorous, to experience the questions about life and death through their open and curious minds.  Grief is high and heavy as a mountain, but it helps you understand what has happened, and that death is irreversible.
-7
A pair of siblings make the most of a school snow day, while trying to avoid their nemesis, the Snowplowman.
-1
A reinvention of the beloved 90s cartoon, Rugrats follows a group of adventurous babies as they discover the big world around them. Lead by Tommy Pickles, this toddler crew explores the world from their pint-sized and wildly imaginative perspective.
3
When "Top Gun: Maverick" star Tom Cruise calls you up to hang out for the day, you say yes. And for James Corden, that meant having Tom pilot you in two different fighter planes, pushing the limits of gravity and James's stomach.
-1
Callie A. Coleman discovers she can magically control her father, Bobby’s performance on the football field. When Callie plays as her dad, Bobby is transformed from a fumblitis-plagued journeyman to a star running back bound for superstardom alongside his daughter and wife Keisha.
0
Pascual León, a retired 65-year-old man, finds out how to give meaning to his last days after being diagnosed with Alzheimer's: to avenge a past crime before his memory loss erases everything that he is.
-3
Whether they're rescuing baby seas turtles or a beached whale, no job is too big and no pup is too small! Join the PAW Patrol for ten exciting adventures on their first ever DVD as they save a train from a rockslide, a boat from the fog, a runaway elephant, and a flyaway Mayor, plus a missing gosling and a missin chicken too!
0
Lincoln Loud gears up for the ultimate Christmas, until he finds out that most of his sisters have plans to be elsewhere for the big day. Determined to remind his family that they all need to be together, Lincoln and his best friend Clyde McBride embark on a mission to preserve the family’s holiday traditions.
0
A deep dive into the making of the Paranormal Activity films with first time ever interviews with cast and crew, never-before-seen footage from the movies, and a preview of the seventh installment in the franchise.
0
Filmed in New York City at Madison Square Garden, the concert special will feature the singer-songwriter performing a repertoire of Carey's festive holiday hits, including the perennial favorite, "All I Want for Christmas Is You."
2
The story of how Blizzard (Blizz)—a young reindeer living at the North Pole who has an unusual trait: one antler that is significantly smaller than the other—and his unique group of friends band together to save the future of Christmas.
-1
After his five-year-old daughter is murdered, a loving family man becomes convinced that the oddball down the street is guilty.
0
A documentary about the life and career of controversial stand-up comedian, Patrice O'Neal, who released only one special before his death in 2011.
-2
A struggling young woman is implanted with an experimental AI chip. She must fight to survive when it takes control.
-1
Two friends who've had feelings for one another for years decide to set aside their current relationships for a weekend to meet and explore what could've been.
0
England, 1940: When falling bombs trap eight children in the cellar of their orphanage, their teacher, Miss Shaw starts to read them a story. As the tale unfolds, they are magically transported to a timeless, mythical island, where they witness the story of Darkness and Light...
-5
In this new documentary, award-winning soccer journalist and CBS Sports analyst Guillem Balagué brings audiences into the action and biggest stories of the unforgettable 2021-22 UEFA Champions League. On the pitch this season, Barcelona began life without Lionel Messi. Balagué also delves into the responses within football to Russia's full-scale military invasion of neighboring Ukraine and sanctions at Chelsea, carefully bringing the audience into these turbulent stories with exclusive interviews.
1
In Rio Shore, 10 young partygoers from different regions of Rio de Janeiro go to Buzios to enjoy an unforgettable vacation with lots of parties, confusion and friendships for life.
1
Jack Ingram, Miranda Lambert, and Jon Randall offer a glimpse inside the creative process of the making of their new album in this documentary featuring live performances set against the West Texas backdrop, candid interviews, and behind-the-scenes footage captured during the five-day album recording sessions in November 2020.
1
CMT’s tribute delivers tears, heartfelt tributes and emotional performances to honor the life, legacy & music of country music icon Loretta Lynn  Lynn’s closest friends, family and fans gather in celebration and remembrance at Nashville’s Grand Ole Opry House.
4
Coded tells the story of illustrator J.C. Leyendecker, whose legacy laid the foundation for today's out-and-proud LGBTQ advertisements.
0
Nichelle Nichols' daunting task to launch a national blitz for NASA, recruiting 8,000 of the nation's best and brightest, including the trailblazing astronauts who became the first Black, Asian and Latino men and women to fly in space.
1
"The World's Loneliest Elephant" Kaavan will finally experience freedom, thanks to his biggest champion, the one & only Cher.  We'll follow Cher, Free The Wild, Four Paws International, and Kaavan on every step of the trip.
2
Exploring the rapidly growing marijuana industry through an irreverent approach to the misconceptions and promises of the marijuana explosion.
0
A follow-up special to Madonna's recently released concert documentary film MADAME X. This special features questions from very special guests Ariana Grande, Amy Schumer, Billie Eilish, Doja Cat, Jimmy Fallon, Kim Kardashian, Snoop Dog, and more.
0
Over the course of a single night in Nashville, Oscar, Golden Globe and GRAMMY nominated songwriter Tom Douglas narrates a letter of hope to a desperate world.
0
The one-hour special will include lost performances and rare moments with Houston, alongside new interviews with those closest to her, including Dionne Warwick, Clive Davis, CeCe Winans, Monica and Kelly Price. In addition, the special will explore new details about the days leading up to and following her death on Feb. 11, 2012. Whitney, A Look Back comes as the world marks 10 years since her tragic passing.
-2
The Only explores the highest triumphs and darkest defeats throughout the extraordinary life of U.S. Soccer Hall of Fame goalkeeper Briana Scurry.  The documentary explores the inspirational glory and deeply dark corners of a Hall of Fame goalkeeper who stood alone on the field as the only Black starter and the only openly gay player. While celebrating the historic legacy of Scurry's career, including two Olympic gold medals and a penalty save to help the U.S. win the 1999 Women's World Cup, the film also tells the story of how she overcame racism and homophobia at the time of her greatest triumphs before later finding herself on the edge of suicide following a career-ending concussion.
8
In 1963, at the height of the civil rights movement, the Loyola Ramblers of Chicago broke racial barriers and changed college basketball forever.
0
Social media superstar Qandeel Baloch pushed boundaries in conservative Pakistan like no other. In 2016, high on her newfound celebrity, Qandeel exposes a well-known Muslim cleric – with tragic results.
0
A grandmother, mother, and daughter quarantine together in a Tribeca apartment as they laugh about life over wine.
0
A small custom T-shirt shop in Washington, DC, sees a generation of Black youth experience gun violence.
0
Comedian and writer Josh Johnson talks about things women expect in their relationships, effects of the pandemic in our social lives, and discuss whether or not his friend's bird is a racist. Presented by Trevor Noah.
-1
Florrie is a 30-year-old woman dating 3 men simultaneously. Juggling all these men is catching up with her as is her complicated past. Her best friend Henrietta puts Florrie on the spot and forces her to pick one of the committed boyfriends. Why is Florrie not able to accept love from any of these men?
1
A documentary about the making of the musical film Fiddler on the Roof (1971).
0
One night at her home in southeastern Congo, 14-year-old Mugeni awakes to the sounds of bombs. As her family scatters to the surrounding forests to save themselves, Mugeni finds herself completely alone.
-1
This chilling reflection examines the horrific history of lynchings as cultural events and celebrations that included souvenirs and postcards.
0
Dawn Porter’s uplifting short takes us behind the scenes of Amy Sherald’s Breonna Taylor portrait, bringing grace and dignity to the tragic loss of her life.
2
Harlem rapper Cam’ron brings his iconic style to this high-octane hip-hop makeover series with the help of interior designer Zeez Louize. Together they spin one lucky superfan’s crib into a larger-than-life tribute to rap icons, past and present.
1
While locked-up for six years in federal prison, artist Jesse Krimes secretly creates monumental works of art—including an astonishing 40-foot mural made with prison bed sheets, hair gel, and newspaper. He smuggles out each panel piece-by-piece with the help of fellow artists, only seeing the mural in totality upon coming home. As Jesse's work captures the art world's attention, he struggles to adjust to life outside, living with the threat that any misstep will trigger a life sentence.
0
Football players and Nickelodeon stars will join the show hosts to watch and discuss "Nick-ified" highlights, game footage, youth football spotlights and more.
0
The story of ingenuity, teamwork and determination of the FBI in desperate moments after the 9/11 attacks, when they had to evacuate their New York headquarters, and transformed a greasy automotive garage into a new command center.
-2
Down and out private-eye Jimmy Baz reluctantly takes on a case to find a missing college student when dead bodies of Muslim men start turning up leading him to believe he is now searching for a serial killer.
-2
Three young adults join a running program for disabled youth in Pakistan, hoping to shift perspectives in their rural community.
-1
It was an archaeological find that became global news. An extraordinary mega-tomb, filled with the largest concentration of coffins ever unearthed in Saqqara, Egypt. This four-part series places you at the site to witness this ground-breaking discovery as it happened and follows Egyptologists as they try to determine why all of these mummies were buried together and what this ancient cemetery can tell us about the Egyptian civilization's way of death 2,500 years ago.
0
Roy Wood Jr. discusses the difference between "ancestors" and "forefathers," why Leonardo DiCaprio is the greatest white ally ever and how celebrities use fame to get people out of prison.
1
LAPD Officer Lisa Travanti takes matters into her own hands after being betrayed by her fiancé Esteban Ruiz, her friend, and the legal system. With help from her sister, Julia, Lisa gets a chance at the ultimate revenge...
-1
Follow soccer journalist Guillem Belagué as he travels through a locked down Europe during the COVID pandemic to witness matches played in empty stadiums and meet with supporters who have dealt with both disease and economic despair.
0
Hal King is a film musical; an epic coming of age romance set in the late 1950s beatnik jazz scene.
0
Famous couples, aided by life coaches and relationship experts, are ready to open up and have honest, candid conversations about the challenges of intimacy, romance and commitment.
5
Host Mike Davidson is on a globetrotting mission to get an up-close look at some of the most incredible machines on Earth and to meet the hard-hat heroes that keep them running. This six-part series will take us from the forests of the Pacific Northwest for a heli-logging expedition, to the jungles of the Panama Canal for some big track repairs, to the Alps of Switzerland aboard one of Europe's busiest haulers, and detail how each team overcomes violent storms, mechanical failures, arctic conditions, and more to keep their machines operating.
0
Angola Do You Hear Us? Voices from a Plantation Prison tells the story of playwright Liza Jessie Peterson's 2020 performance of her acclaimed play The Peculiar Patriot at Angola, the Louisiana State Penitentiary, America’s largest prison.
-1
Featuring revealing and emotional interviews with Maxwell’s siblings Ian, Kevin and Isabel Maxwell; her friends; legal experts; and her alleged victims, this docuseries unravels the shocking pyramid scheme of sexual abuse that Maxwell controlled, and uncovers what really happened at Epstein’s properties, including his private island.
-2
Tracing the origins of anti-government extremism by examining a deadly series of historical events that galvanized far right radicals to take violent action.
-3
In an attempt to shake off her melancholy, a young woman escapes the city to her family's country cottage only to rediscover a world she'd long forgotten and the old friend who may convince her to leave reality behind.
-2
On the edge of London stands Hampton Court, one of Britain's biggest palaces and most popular tourist spots, attracting almost a million visitors every year. Spanning 750 acres of grounds, it boasts 1,300 rooms and 23 courtyards...along with a host of secrets and historic stories. This two-part special provides an exclusive and intimate look at life inside the court today for the people keeping Henry VIII's world alive in the modern age, and also explores what life was like in the palace where the private world of the Tudors began.
4
Host Monica helps unravel the mystery and the motives behind high-profile celebrity crimes, revealing a dark side to being in the public eye.
-4
Deep in Canada's remote Yukon, a dramatic coming of age story unfolds involving an adolescent grizzly named Sophie. Wildlife filmmaker Phil Timpany has chronicled her all her life. Now he's capturing her first steps into adulthood--and motherhood--and the many challenges threatening both her and her rambunctious cubs. Witness Sophie's journey as she learns the ropes, trying to balance her own needs with feeding and protecting her young. More than half of all grizzly cubs die in their first year, so Sophie has little room for error.
-3
After witnessing a murder, a young single mother is forced to act as a witness. Threatened on all sides, she must do whatever it takes to protect her son.
0
Mars has beckoned humankind for centuries, but only in the last 50 years have we begun to scratch its surface. The latest Martian explorer is Perseverance, an uber-sophisticated rover, chock-full of scientific instruments, including 23 cameras, a robotic arm, lasers, and spectrometers, designed to analyze the terrain and reveal if there was ever life on the Red Planet. Join us as we examine the latest rocket, rover, and interplanetary helicopter.
0
A young man who feels empty and numb inside, steps out of his house one night, an unforeseen chain of events elucidates in him the true perspective of life.
-2
A teenage boy and girl get their lives changed forever when a California wildfire awakens a terrifying supernatural creature. As the full moon rises, all teens come together to unravel the secret that connects them.
-1
Maddie, a teen stuck in the afterlife investigating her own disappearance, goes on a crime-solving journey as she adjusts to high school purgatory.
-1
The wolves are howling once again, as a terrifying ancient evil emerges in Beacon Hills. Scott McCall, no longer a teenager yet still an Alpha, must gather new allies and reunite trusted friends to fight back against this powerful and deadly enemy.
-1
Alejandro's life is disrupted when actress Sophie Wilder stays at his hotel. To their surprise, the two fall for one another, meeting at midnight.
-1
Host RuPaul Charles brings his one-of-a-kind personality to this clever, competitive and unpredictable game, which features teams of two as they face off in fast-paced puzzle rounds to guess letters that reveal seemingly simple words. At the end of each one-hour episode packed with witty commentary and gameplay, the winning two teams make it through to a nerve-racking final showdown where one team walks away with an additional big cash prize.
4
The Great White has a scary reputation, but Explorer Jacques Cousteau called the Oceanic White Tip “The most dangerous of all sharks…" Was he right?
1
The fears and resiliencies within a group of teenage refugees from Ukraine are uncovered in this film that brings the camera steps away from the front lines to the Ukraine-Poland border.
-1
Kris Kringle, seemingly the embodiment of Santa Claus, is asked to portray the jolly old fellow at Macy's following his performance in the Thanksgiving Day parade. His portrayal is so complete that many begin to question if he truly is Santa Claus, while others question his sanity.
1
The Wind in the Willows: Concise version of Kenneth Grahame's story of the same name. J. Thaddeus Toad, owner of Toad Hall, is prone to fads, such as the newfangled motor car. This desire for the very latest lands him in much trouble with the wrong crowd, and it is up to his friends, Mole, Rat and Badger to save him from himself. - The Legend of Sleepy Hollow: Retelling of Washington Irving's story set in a tiny New England town. Ichabod Crane, the new schoolmaster, falls for the town beauty, Katrina Van Tassel, and the town Bully Brom Bones decides that he is a little too successful and needs "convincing" that Katrina is not for him.
-1
Cinderella has faith her dreams of a better life will come true. With help from her loyal mice friends and a wave of her Fairy Godmother's wand, Cinderella's rags are magically turned into a glorious gown and off she goes to the Royal Ball. But when the clock strikes midnight, the spell is broken, leaving a single glass slipper... the only key to the ultimate fairy-tale ending!
2
Dumbo is a baby elephant born with over-sized ears and a supreme lack of confidence. But thanks to his even more diminutive buddy Timothy the Mouse,  the pint-sized pachyderm learns to surmount all obstacles.
1
Walt Disney's timeless masterpiece is an extravaganza of sight and sound! See the music come to life, hear the pictures burst into song and experience the excitement that is Fantasia over and over again.
2
Bambi's tale unfolds from season to season as the young prince of the forest learns about life, love, and friends.
1
A beautiful girl, Snow White, takes refuge in the forest in the house of seven dwarfs to hide from her stepmother, the wicked Queen. The Queen is jealous because she wants to be known as "the fairest in the land," and Snow White's beauty surpasses her own.
0
The Tortoise and the Hare is an animated short film released on January 5, 1935 by United Artists, produced by Walt Disney and directed by Wilfred Jackson. Based on an Aesop's fable of the same name, The Tortoise and the Hare won the 1934 Academy Award for Best Short Subject: Cartoons. This cartoon is also believed to be one of the influences for Bugs Bunny.
2
This Oscar-winning short tells of a bull who preferred to sit under trees and smell flowers to clashing horns with his fellow animals. As luck would have it, an untimely bee reveals Ferdinand's ferocious side via pained howls and wild stomping. This lands him in the bull-fighting arena amidst characters based on Walt's animators with a matador reportedly modeled after Walt himself.
-2
On a dark and stormy night, four bored ghosts decide to have some fun by calling the "Ajax Ghost Exterminators." Shriek with laughter as ghost hunters Mickey, Donald and Goofy are scared silly by the hilarious haunts and taunts of these spirited pranksters!
-6
Enchanted by the idea of locating treasure buried by Captain Flint, Squire Trelawney, Dr. Livesey and Jim Hawkins charter a sailing voyage to a Caribbean island. Unfortunately, a large number of Flint's old pirate crew are aboard the ship, including Long John Silver.
1
Lonely toymaker Geppetto has his wishes answered when the Blue Fairy arrives to bring his wooden puppet Pinocchio to life. Before becoming a real boy, however, Pinocchio must prove he's worthy as he sets off on an adventure with his whistling sidekick and conscience, Jiminy Cricket.
-1
Donald has to get up early, but everything seems to be working to keep him awake. His loudly ticking alarm clock resists several attempts to quiet it. Donald ultimately swallows it; the glow-in-the-dark dial can be seen through his feathers. Then his folding bed folds up on him. Springs start popping out of it; Donald builds an elaborate framework to hold it down. Finally, enough of the clock reassembles itself to sound the alarm and night is over.
0
Jiminy Cricket hosts two Disney animated shorts: “Bongo,” about a circus bear escaping to the wild, and “Mickey and the Beanstalk,” a take on the famous fairy tale.
0
Humorist Robert Benchley attempts to find Walt Disney to ask him to adapt a short story about a gentle dragon who would rather recite poetry than be ferocious. Along the way, he is given a tour of Walt Disney Studios, and learns about the animation process.
1
Live-action segments show members of the Disney staff touring South America and recording their impressions in sketches. These segue into four animated sections: "Lake Titicaca" depicts tourist Donald Duck's troubles with a stubborn llama; "Pedro" tells of a little mail plane's adventures flying over the treacherous Andes; "El Gaucho Goofy" transplants an American cowboy into the Argentine pampas; and in "Aquarela do Brasil," Jose Carioca shows Donald the sights and sounds of Rio de Janiero.
-4
For Donald's birthday he receives a box with three gifts inside. The gifts, a movie projector, a pop-up book, and a pinata, each take Donald on wild adventures through Mexico and South America.
-1
In the grand tradition of Disney's great musical classics, Melody Time features seven timeless stories, each enhanced with high-spirited music and unforgettable characters. You'll be sure to tap your toes and clap your hands in this witty feast for the eyes and ears.
7
The two pigs building houses of hay and sticks scoff at their brother, building the brick house. But when the wolf comes around and blows their houses down (after trickery like dressing as a foundling sheep fails), they run to their brother's house. And throughout, they sing the classic song, "Who's Afraid of the Big Bad Wolf?".
-5
Mickey Mouse, piloting a steamboat, delights his passenger, Minnie, by making musical instruments out of the menagerie on deck.
1
The Big Bad Wolf torments Little Red Riding Hood and the Three Little Pigs.
-3
Goofy's in the driver's seat, Mickey's in the kitchen, and Donald's in bed in Mickey's high-tech house trailer. When Goofy comes back to eat breakfast, leaving the car on autopilot, it takes them onto a dangerous closed mountain road. When Goofy realizes this, he accidentally unhooks the trailer, sending it on a perilous route. They come very close to disaster several times, while the oblivious Goofy drives on and hooks back up to them.
-8
Santa's little helpers must hurry to finish the toys before Christmas Day.
0
A jealous stump threatens two trees that are in love by starting a forest fire. When the rain comes and puts out the fire the forest revives and celebrates the wedding.
0
An outcast duckling's search for a family to accept him leads to constant rejection before learning his true identity as a swan.
-1
As in the classic fable, the grasshopper plays his fiddle and lives for the moment, while the industrious ants squirrel away massive amounts of food for the winter. With his song, he's able to convince at least one small ant until the queen arrives and scares him back to work. The queen warns the grasshopper of the trouble he'll be in, come winter. Winter comes, and the grasshopper, near starvation, stumbles across the ants, who are having a full-on feast in their snug little tree. They take him in and warm him up. The queen tells him only those who work can eat so he must play for them. Written by Jon Reeves
1
Night in an old mill is dramatically depicted in this Oscar-winning short in which the frightened occupants, including birds, timid mice, owls, and other creatures try to stay safe and dry as a storm approaches. As the thunderstorm worsens, the mill wheel begins to turn and the whole mill threatens to blow apart until at last the storm subsides.
-1
Mickey is trying to lead a concert of The William Tell Overture, but he's continually disrupted by ice cream vendor Donald, who uses a seemingly endless supply of flutes to play Turkey in the Straw instead. After Donald gives up, a bee comes along and causes his own havoc. The band then reaches the Storm sequence, and the weather also starts to pick up; a tornado comes along, but they keep playing.
1
Donald Duck is at the beach and tries to ride a rubber horse. He notices Pluto sleeping at the shore and decides to have some fun with him by sending the rubber horse over to Pluto which completely mesmerizes him. Meanwhile, a tribe of ants abduct Donald's picnic lunch. Donald lays out fly paper to stop the ants. Pluto follows one of the ants and, of course, he and later Donald become enmeshed in the fly paper
2
When a giant threatens the land, the cityfolk mistake Mickey's boast of killing seven flies with one blow to be giants. He is then forced to fight the giant for real.
-3
Mickey is heading out on vacation from Burbank to Pomona, taking the train. The conductor, Pete, won't let him on with Pluto, so he hides Pluto in his suitcase, and tries to hide him all throughout the trip without much luck. But Pete wins when Pluto is hooked by a mail hook. Or does he?
2
The gang throws Mickey a surprise birthday party; his present is an electric organ, which Minnie plays while Mickey does a jazzy dance. Goofy bakes the cake, but keeps having trouble with it falling. The gang does a conga line to a Latin tune.
-3
Goofy's demonstration of fishing is fouled up by his clumsy casting and fly fishing, and problems with his boat.
-3
Donald decides to try cooking along with a radio show.
0
Join Donald Duck in his debut in the classic animated short The Wise Little Hen. The Little Hen is planting corn and would like to have help from Peter Pig and Donald Duck, but they refuse stating they each have a "tummy ache." When it comes time to harvest the corn, Peter Pig and Donald still refuse to help the Hen, so she and her chicks do the harvest by themselves. Finally, the hen cooks the corn and offers some to Donald and Peter Pig, but when they look more carefully they discover a surprise.
-3
It's time to laugh like crazy as Mickey, Goofy and Donald fight against raging gears, twisted springs, deafening bells and a sleeping stork. Watch them reach new heights of humor as their valiant efforts to clean a bell tower turn into a real circus!
0
As the title implies, the three blind mice are musketeers. The cat sets a number of traps for them, which they all evade (apparently without realizing it) while he sleeps. The cat eventually wakes up and begins chasing them unsuccessfully, thanks to their teamwork.
-4
Mickey shows off his ice-skating skills to Minnie; Goofy does some unconventional ice fishing; Donald straps skates to Pluto and laughs at his attempts to skate. Donald gets strapped to a kite and is about to be swept over a waterfall when Mickey pulls off an heroic rescue.
1
Donald needs a log for his fire. Unfortunately, the one he picks is occupied by a couple of chipmunks and their stash of acorns. When he cuts it down, Chip and Dale fall out, but their acorns stay behind, so they work at putting out Donald's fire and retrieving their stash. Donald, of course, takes this as calmly and cheerfully as you would expect.
-1
Mickey wants some of the cake Minnie has just baked, so he offers to clean up her yard. As he's working, a tiny tornado (smaller than him) with a mind of its own comes along and causes trouble. After Mickey finally chases the little twister off, it gets its big brother, which makes a grand mess of the yard. Most of the cartoon, except for the opening and closing, has no dialogue.
0
Mickey has been reading Alice in Wonderland, and falls asleep. He finds himself on the other side of the mirror, where the furniture is alive. He eats a walnut, which makes him briefly larger, then small. He dances around a lot, ultimately doing a major number with a deck of cards. He dances with the queen, making the king jealous. He comes after Mickey with swords, and Mickey defends himself with a sewing needle. Mickey gets the upper hand, and the king calls for reinforcements. Mickey finds himself chased by several decks, which throw their spots at him. He turns on a fan and blows them away, back through the mirror, where his alarm is ringing.
-4
The princess is to wed the Prince against her wishes. When she refuses, the king locks her in the tower. Minstrel Mickey sees her and rescues her, making a rope from the clothes of lady-in-waiting Clarabell. The king spots them and prepares to chop off Mickey's head until Minnie intercedes. The king calls for a joust. Mickey wins and they live happily ever after.
1
King Midas is visited by an elf; the elf turns his cat to gold, then claps his hands and it changes back. Midas begs for the golden touch, but the elf warns him it would be a curse to him. Midas insists. He dances about joyfully at first, but discovers the drawbacks when he sits down to dinner. Fearing death by starvation, he summons the elf and agrees to surrender everything he owns to have the curse lifted.
-3
Minnie's old friend, Mortimer Mouse, drops in on Mickey and Minnie's picnic. His practical jokes and coming on to Minnie soon have Mickey stewing, and their car isn't happy either. When Mortimer gets a nearby bull enraged and takes off, the car comes to the rescue after Mickey gets tangled up in a red blanket.
-2
Two little pigs cry wolf on their brother and then an actual wolf comes.
-2
Goofy's plans to give a swimming lesson and enjoy a day at the beach go awry.
0
Donald Duck tries to exhibit his golfing ability to his nephews only to have them tease him with sneezes, noises and "trick" clubs. Finally, they put a grasshopper in a ball and it "jumps" all over.
-3
Minnie Mouse knits a sweater for Pluto. When she puts it on him, Pluto does whatever he can to try to get it off, eventually shrinking it to the perfect size for Figaro.
1
Donald visits the house of his new love interest for their first known date. At first Daisy acts shy and has her back turned to her visitor. But Donald soon notices her tailfeathers taking the form of a hand and signaling for him to come closer. But their time alone is soon interrupted by Huey, Dewey and Louie who have followed their uncle and clearly compete with him for the attention of Daisy. Uncle and nephews take turns dancing the jitterbug with her while trying to get rid of each other. In their final effort the three younger Ducks feed their uncle maize in the process of becoming popcorn. The process is completed within Donald himself who continues to move wildly around the house while maintaining the appearance of dancing. The short ends with an impressed Daisy showering her new lover with kisses
3
Jealous over Mickey's attention to a kitten, Pluto's devil-self argues with his angel-self over whether or not to rescue the kitten when it falls into a well.  The angel-self wins, and Pluto is treated like a hero.  In the end, he and the kitten become friends.
2
Donald, driving in the country, is frustrated in his attempts to fix a flat tire. The jack breaks, the radiator explodes, then the remaining three tires go flat. Donald gives up in disgust and drives on with the flats. The film features references to the rubber shortage during World War II.
-4
Donald steals Chip and Dale's nuts for his nut-butter shop, which is shaped like a giant walnut, Chip and Dale, roll and "shoot" Donald into a nearby lake.
0
Toby Tortoise is back, and this time he and Max Hare box instead of racing.
0
Donald and the chipmunks, Chip and Dale, are after each other again, this time when they come upon Donald vacationing in a trailer. When he goes swimming, they fool him by moving the diving board and end up wrecking his car.
-1
Rather out of place at a swanky dog show, Pluto flirts with Fifi, a dainty Pekingese. The judge orders Mickey and Pluto to leave, but when a fire breaks out Pluto rescues Fifi and is proclaimed a hero.
0
Mickey accidentally takes a seal home, after it sneaks into his picnic basket. When Mickey takes a bath, the seal is discovered and Mickey returns him to the park. Later, however, Mickey and Pluto discover that the bathroom is filled with seals!
-1
Mickey, Donald, Goofy, and Pluto experience all that Hawaii has to offer. Donald tries hula dancing, Pluto explores the beach and Goofy takes up surfing!
-2
Chip and Dale are busy collecting nuts and hiding them in a tree, when Pluto comes along and tries to hide his bone in the same tree. When all of the nuts end up in Pluto's dog house, Chip and Dale must come up with a way to get the nuts back.
0
A narrator explains the history of the Olympic Games while Goofy demonstrates events.
-1
Mickey buys a boat kit, and enlists Goofy and Donald to help assemble it. The plans say, "so simple a child could do it", so of course, they have their share of troubles. But before long, they're ready to launch the Queen Minnie, with appropriate fanfare, at which time, all the collapsible parts collapse.
0
Mickey is performing routine maintenance on his tugboat (with interference from a pelican) when a call comes on the radio that there's a sinking ship needing assistance. Sadly, Mickey's crew consists of Donald and Goofy, so getting underway to help is not easy. Goofy has to fight a boiler's door to get it stoked with coal (and when he succeeds, he overfills it) and Donald gets tangled up in the machinery. Not to mention that nobody casts off, so they drag half the dock along with them. The overworked boiler soon explodes.
-5
With a rubber bone as a lure, Donald Duck tries to entice Pluto to try his mechanical dog washer. When the bone gives Pluto trouble, Donald tries a toy cat as a lure only to unexpectedly fall into the washer himself, get scrubbed and then hung out on the line to dry.
-5
By accident, Cedric (Goofy), replaces his master, Sir Loinsteak, in the armor just before the joust with champion Sir Cumference.
1
Goofy, staying at the Sugar Bowl resort, demonstrates the basics of downhill skiing, which the titles and announcer insist is pronounced "SHEEing". The equipment is, of course, of the era. As you can imagine, Goofy has much trouble keeping his skis parallel and pointing downhill. The final ski jump conveniently lands Goofy right back in bed.
-4
It's October 7th and Chip is working industriously to store enough acorns in the tree for the winter. Dale would rather sleep in his matchbox, but an angry kick from Chip gets him working furiously. But there's only so much they can do. Their tree is nearly out of acorns. Luckily, the two semi-intelligible chipmunks happen to see the half-unintelligible Donald Duck, a park ranger, planting acorns. They immediately set to steal his bag of the precious nuts. Donald soon realizes what they are up to, and sets out a box propped up with a stick. It's a crude trap, with an acorn as bait; but it's not too crude to fool Dale, who upsets it and traps Chip. Soon, Donald finds he can have fun instigating a fight between these two quarrelsome chipmunks, but he underestimates their friendship and their ability to work as a team against a common enemy: in this case, a bad-tempered duck.
-9
The people of Hamelin, overrun with rats, offer a bag of gold to anyone who can get rid of the rats. A piper offers to do the job, and successfully lures the rats into a mirage of cheese, which disappears. The citizens, disappointed that all he did was play a tune, offer only pocket change. The piper, angered, plays a new tune that has all the children of the city follow him, even the new twins the stork is preparing to deliver.
-2
A family setting out for a new life across the sea is shipwrecked on a deserted island. The family members collaborate to create a home for themselves in the jungle environment.
0
The goddess is greeted by dancing flowers and fairies. The devil comes and takes her away to be his queen. She's despondent, as winter settles in above ground. But the devil isn't happy either, and offers anything to make her happy. They reach an agreement: she'll spend six months above ground and six below. Thus we have seasons.
-1
Mickey's going golfing, and Pluto is his caddy. Besides the usual caddy duties, Pluto runs to the ball and points to it. But when the ball lands in a gopher hole, Pluto's got another task: chase the gopher. They eventually chase each other through a number of holes in a knoll where Mickey is trying to putt out, causing the knoll to collapse.
-1
Little Elmer Elephant has a crush on Tillie Tiger and his affection is reciprocated. Trouble is, the pint-sized pachyderm is beset by bullies who ridicule his trunk and make his life miserable. Then a conflagration breaks out at Tillie's tree house.
-6
Even though Mickey's evening started slow and lazy, things get moving in a hurry when Minnie calls from outside the big dance, wondering why he's late. Luckily his best pal Pluto is happy to help wrangle the uncooperative evening wear and help get him out the door...without the tickets
-2
Pluto discovers that a gopher has been stealing bones from his hidden stash.
-1
Two children wander the forest and get lured into a witch's house.
0
Mickey, in the Australian bush, throws a boomerang that gets caught in Pluto’s mouth. Mickey then discovers an egg of an emu. Unfortunately, the parent chases him, but Pluto and the boomerang zoom into his path, leaving the emu all tangled.
-2
The snow covered mountains; but not to worry, rescue dog Pluto is on duty. Actually, given that he barely keeps himself safe, maybe you should worry. A playful seal keeps stealing his cask of grog.
-1
Taking all the places on both teams, Goofy demonstrates the game of football with varying results, having problems with the coach and the goal post.
-2
Pluto digs up Minnie's garden and destroys her house in order to catch a pesky gopher-in spite of Minnie's scoldings.
-2
When a pilot has to turn back due to a severe storm, he drops the mail at a remote outpost where it can be delivered by dogsled. The falling mail pouch lands on Pluto, and he sets out to deliver it. He is continually delayed by a rabbit along the way, but in the end, the rabbit helps Pluto deliver the mail pouch.
-3
Donald shows his nephews the moves that won him his hockey trophy. But the boys have a few moves of their own.
2
A basketball game of Goofs (P.U. vs. U.U.) in which the players play furiously, often breaking the rules of the game. All of the players are named after Disney artists.
-3
Pluto tries to bring in the mail, which gets more difficult when a package sprouts legs and tries to go swimming. Between the wandering turtle and the wind blowing the other mail around, Pluto's got quite a task ahead. And it's not made easier when both the letters and the turtle go off a large cliff.
0
Goofy shows us the national pastime. After a brief overview, we have a demonstration of the many possible pitches. On to the World Series, where we go through an eventful inning, culminating in a baseball that disintegrates when being hit.
-1
Donald is an admiral on a seagoing voyage with his nephews in which they encounter a ravenous shark.
-1
Mickey Mouse sends Pluto to buy sausage at the butcher shop, but Butch schemes to steal it.
-2
Produced by Walt Disney as part of the "True-Life Adventures" series of nature documentaries (1948–60). The film depicts a young male beaver who must defend his new family against hungry predators, mischievous river otters, and the ever-impending threat of winter.
-2
Princess Leia is captured and held hostage by the evil Imperial forces in their effort to take over the galactic Empire. Venturesome Luke Skywalker and dashing captain Han Solo team together with the loveable robot duo R2-D2 and C-3PO to rescue the beautiful princess and restore peace and justice in the Empire.
1
In the years before the Second World War, a tomboyish postulant at an Austrian abbey is hired as a governess in the home of a widowed naval captain with seven children, and brings a new love of life and music into the home.
1
The epic saga continues as Luke Skywalker, in hopes of defeating the evil Galactic Empire, learns the ways of the Jedi from aging master Yoda. But Darth Vader is more determined than ever to capture Luke. Meanwhile, rebel leader Princess Leia, cocky Han Solo, Chewbacca, and droids C-3PO and R2-D2 are thrown into various stages of capture, betrayal and despair.
-2
Schoolhouse Rock! is an American interstitial programming series of animated musical educational short films that aired during the Saturday morning children's programming on the U.S. television network ABC. The topics covered included grammar, science, economics, history, mathematics, and civics. The series' original run lasted from 1973 to 1985, and was later revived with both old and new episodes airing from 1993 to 1999. Additional episodes were produced as recently as 2009 for direct-to-video release.
0
Three children evacuated from London during World War II are forced to stay with an eccentric spinster. The children's initial fears disappear when they find out she is in fact a trainee witch.
-3
Go behind the curtains as Kermit the Frog and his muppet friends struggle to put on a weekly variety show.
0
Mr Banks is looking for a nanny for his two mischievous children and comes across Mary Poppins, an angelic nanny. She not only brings a change in their lives but also spreads happiness.
1
Diego de la Vega, the son of a wealthy landowner, returns from his studies in Spain and discovers that Los Angeles is under the command of Capitan Monastario, a cruel man who relishes in the misuse of his power for personal gain. Knowing that he cannot hope to single-handedly defeat Monastario and his troops, Diego resorts to subterfuge. He adopts the secret identity of Zorro, a sinister figure dressed in black, and rides to fight Monastario's injustice.
0
A Hollywood agent persuades Kermit the Frog to pursue a career in Hollywood. On his way there he meets his future muppet crew while being chased by the desperate owner of a frog-leg restaurant!
-1
A wily old codger matches wits with the King of the Leprechauns and helps play matchmaker for his daughter and the strapping lad who has replaced him as caretaker.
-1
Although first glance reveals little more than stones and sand, the desert is alive. Witness moving rocks, spitting mud pots, gorgeous flowers and the never-ending battle for survival between desert creatures of every shape, size and description.
0
Dolly Levi is a strong-willed matchmaker who travels to Yonkers, New York in order to see the miserly "well-known unmarried half-a-millionaire" Horace Vandergelder. In doing so, she convinces his niece, his niece's intended, and Horace's two clerks to travel to New York City.
0
A beautiful princess born in a faraway kingdom is destined by a terrible curse to prick her finger on the spindle of a spinning wheel and fall into a deep sleep that can only be awakened by true love's first kiss. Determined to protect her, her parents ask three fairies to raise her in hiding. But the evil Maleficent is just as determined to seal the princess's fate.
-2
When Emil travels by bus to Berlin to visit his grandmother and his cousin, his money is stolen by a crook who specializes in digging tunnels. Emil must get the money back as it is for his grandmother. While following the thief, Emil runs into Gustav, an enterprising young boy who gathers up all his friends to help Emil find the money. Emil's cousin also gets involved and they get into more trouble than they bargained for when Emil's pickpocket turns out to be mixed up with a couple of notorious bank robbers.
-3
The boy Mowgli makes his way to the man-village with Bagheera, the wise panther. Along the way he meets jazzy King Louie, the hypnotic snake Kaa and the lovable, happy-go-lucky bear Baloo, who teaches Mowgli "The Bare Necessities" of life and the true meaning of friendship.
2
This joyous celebration of frontier life combines tender romance and violent passion in the Oklahoma Territory of the 1900s with a timeless score filled with unforgettable songs. Rodgers and Hammerstein's hit Broadway musical.
4
With King Richard off to the Crusades, Prince John and his slithering minion, Sir Hiss, set about taxing Nottingham's citizens with support from the corrupt sheriff - and staunch opposition by the wily Robin Hood and his band of merry men.
-2
The explorer craft USS Palomino is returning to Earth after a fruitless 18-month search for extra-terrestrial life when the crew comes upon a supposedly lost ship, the USS Cygnus, hovering near a black hole. The ship is controlled by Dr. Hans Reinhardt and his monstrous robot companion, but the initial wonderment and awe the Palomino crew feel for the ship and its resistance to the power of the black hole turn to horror as they uncover Reinhardt's plans.
-3
Some college students manage to persuade the town's big businessman, A. J. Arno, to donate a computer to their college. When the problem- student, Dexter Riley, tries to fix the computer, he gets an electric shock and his brain turns to a computer; now he remembers everything he reads. Unfortunately, he also remembers information which was in the computer's memory, like Arno's illegal businesses..
-2
School girl Annabel is hassled by her mother, and Mrs. Andrews is annoyed with her daughter, Annabel. They both think that the other has an easy life. On a normal Friday morning, both complain about each other and wish they could have the easy life of their daughter/mother for just one day and their wishes come true as a bit of magic puts Annabel in Mrs. Andrews' body and vice versa. They both have a Freaky Friday.
-1
When a litter of dalmatian puppies are abducted by the minions of Cruella De Vil, the parents must find them before she uses them for a diabolical fashion statement.
 In a Disney animation classic, Dalmatian Pongo is tired of his bachelor-dog life. He spies lovely Perdita and maneuvers his master, Roger, into meeting Perdita's owner, Anita. The owners fall in love and marry, keeping Pongo and Perdita together too. After Perdita gives birth to a litter of 15 puppies, Anita's old school friend Cruella De Vil wants to buy them all. Roger declines her offer, so Cruella hires the criminal Badun brothers to steal them -- so she can have a fur coat.
-2
Lady, a golden cocker spaniel, meets up with a mongrel dog who calls himself the Tramp. He is obviously from the wrong side of town, but happenings at Lady's home make her decide to travel with him for a while.
-1
Leaving the safety of their nursery behind, Wendy, Michael and John follow Peter Pan to a magical world where childhood lasts forever. But while in Neverland, the kids must face Captain Hook and foil his attempts to get rid of Peter for good.
1
Wart is a young boy who aspires to be a knight's squire. On a hunting trip he falls in on Merlin, a powerful but amnesiac wizard who has plans for him beyond mere squiredom. He starts by trying to give him an education, believing that once one has an education, one can go anywhere. Needless to say, it doesn't quite work out that way.
1
After being shipwrecked, the Robinson family is marooned on an island inhabited only by an impressive array of wildlife. In true pioneer spirit, they quickly make themselves at home but soon face a danger even greater than nature: dastardly pirates. A rousing adventure suitable for the whole family, this Disney adaptation of the classic Johann Wyss novel stars Dorothy McGuire and John Mills as Mother and Father Robinson.
1
All roads lead to magical, merry Toyland as Mary Contrary and Tom Piper prepare for their wedding! But villainous Barnaby wants Mary for himself, so he kidnaps Tom, setting off a series of comic chases, searches, and double-crosses! The "March Of The Wooden Soldiers" helps put Barnaby in his place, and ensures a "happily ever after" for Tom and Mary!
3
Part of Disney's True-Life Adventures series, this film focuses on the lives of lions in Africa.
0
What can two little mice possibly do to save an orphan girl who's fallen into evil hands? With a little cooperation and faith in oneself, anything is possible! As members of the mouse-run International Rescue Aid Society, Bernard and Miss Bianca respond to orphan Penny's call for help. The two mice search for clues with the help of an old cat named Rufus.
-4
A happy and unbelievably lucky young Irish immigrant, John Lawless, lands a job as the butler of an unconventional millionaire, Biddle. His daughter, Cordelia Drexel Biddle, tires of the unusual antics of her father--especially since the nice young men around town all fear him. Wouldn't you fear a father-in-law that keeps alligators for pets and teaches boxing at his daily Bible classes?
-2
When Madame Adelaide Bonfamille leaves her fortune to Duchess and her children—Bonfamille’s beloved family of cats—the butler plots to steal the money and kidnaps the legatees, leaving them out on a country road. All seems lost until the wily Thomas O’Malley Cat and his jazz-playing alley cats come to the aristocats’ rescue.
-2
Herbie, the Volkswagen Beetle with a mind of its own, is racing in the Monte Carlo Rally. But thieves have hidden a cache of stolen diamonds in Herbie's gas tank, and are now trying to get them back.
-2
Pete, a young orphan, runs away to a Maine fishing town with his best friend a lovable, sometimes invisible dragon named Elliott! When they are taken in by a kind lighthouse keeper, Nora, and her father, Elliott's prank playing lands them in big trouble. Then, when crooked salesmen try to capture Elliott for their own gain, Pete must attempt a daring rescue.
0
A ship sent to investigate a wave of mysterious sinkings encounters the advanced submarine, the Nautilus, commanded by Captain Nemo.
-1
On a golden afternoon, young Alice follows a White Rabbit, who disappears down a nearby rabbit hole. Quickly following him, she tumbles into the burrow - and enters the merry, topsy-turvy world of Wonderland! Memorable songs and whimsical escapades highlight Alice's journey, which culminates in a madcap encounter with the Queen of Hearts - and her army of playing cards!
1
In the London of 1537, two boys resembling each other exactly meet accidentally and exchange "roles" for a short while. After many adventures, the prince regains his rightful identity and graciously makes his "twin" a ward of the court.
2
The Garrisons are the "proud parents" of three adorable dachshund pups - and one overgrown Great Dane named Brutus, who nevertheless thinks of himself as a dainty dachsie. His identity crisis results in an uproarious series of household crises that reduce the Garrisons' house to shambles - and viewers to howls of laughter!
0
Whether we’re young or forever young at heart, the Hundred Acre Wood calls to that place in each of us that still believes in magic. Join pals Pooh, Piglet, Kanga, Roo, Owl, Rabbit, Tigger and Christopher Robin as they enjoy their days together and sing their way through adventures.
2
A Victorian gentleman hopes to find his long-lost son, who vanished whilst searching for a mysterious Viking community in a volcanic valley somewhere in uncharted Arctic regions. The gentleman puts together an expedition team to go on the search, but when they reach their destination they must escape from some Viking descendants who will kill to keep their existence a secret.
-2
A roving bachelor gets saddled with three children and a wealth of trouble when the youngsters stumble upon a huge gold nugget. They join forces with two bumbling outlaws to fend off the greedy townspeople and soon find themselves facing a surly gang of sharpshooters.
-3
Two identical twin sisters, separated at birth by their parents' divorce, are reunited years later at a summer camp, where they scheme to bring their parents back together. The girls, one of whom has been living with their mother and the other with their father, switch places after camp and go to work on their plan, the first objective being to scare off a gold-digger pursuing their father.
0
With a combination of documentary footage and animation, the science and history of rockets, and the effects of space travel on man are illustrated.
0
Tia and Tony are two orphaned youngsters with extraordinary powers. Lucas Deranian poses as their uncle in order to get the kids into the clutches of Deranian's megalomaniacal boss, evil millionaire Aristotle Bolt, who wants to exploit them. Jason, a cynical widower, helps Tia and Tony escape to witch mountain, while at the same time Tia and Tony help Jason escape the pain of the loss of his wife.
-4
Young English girl Nikky and her aunt arrive at the Moon-Spinners, a hotel on Crete, to a less than enthusiastic welcome. The coolness of the owner is only out-done by the surliness of her brother Stratos, recently back from London. But then there is nice English lad Mark to make friends with, at least until Stratos and his pal take a shot at him one night. When Nikky helps him hide she finds the Greeks are after her too.
3
When Jessica Drew was bitten by a poisonous spider as a child, her father saved her life by injecting her with an experimental "spider serum," which also granted her superhuman powers. As an adult, Jessica works as editor of Justice Magazine but when trouble arises, Jessica slips away to change into her secret identity of Spider-Woman.
-1
Originally a part of The Star Wars Holiday Special, this animated story follows Chewbacca as he searches for a cure to the virus which knocked out his friends, with the help of an unlikely ally – the bounty hunter Boba Fett.
-1
Down-on-his-luck race car driver Jim Douglas teams up with a little VW Bug that has a mind of its own, not realizing Herbie's worth until a sneaky rival plots to steal him.
-4
Mars and Beyond is an episode of Disneyland which aired on December 4, 1957. It was directed by Ward Kimball and narrated by Paul Frees. This episode discusses the possibility of life on other planets, especially Mars. It begins with an introduction of Walt Disney and his robot friend Garco, who provide a brief overview. It continues with an animated presentation about mankind seeking to understand the world in which he lives, first noticing patterns in the stars, and developing certain beliefs regarding the celestial bodies.
 (Source Wikipedia)
-1
The adorable little VW helps its owners break up a counterfeiting ring in Mexico.
0
When ex-con artist Harry claims that a secret treasure is hidden inside Candleshoe, an English estate, he creates an elaborate plan to find and steal the prize. By convincing a girl named Casey to impersonate the estate owner's long-lost granddaughter, Harry hopes to uncover the treasure's location. But when Casey has a change of heart, she must follow the clues and find the treasure, in order to save Candleshoe and stop Harry before it is too late.
4
The story of three pets, a cat and two dogs, who lose their owners when they are all on vacation. Can they find their way home?
-1
Young Travis Coates is left to take care of the family ranch with his mother and younger brother while his father goes off on a cattle drive in the 1860s. When a yellow mongrel comes for an uninvited stay with the family, Travis reluctantly adopts the dog.
-1
The living Volkswagen Beetle helps an old lady protect her home from a corrupt developer.
0
Tony and Tia are other-worldly twins endowed with telekinesis. When their Uncle Bene drops them off in Los Angeles for an earthbound vacation, a display of their supernatural skill catches the eye of the nefarious Dr. Gannon and his partner in crime, Letha, who see rich possibilities in harnessing the children's gifts. They kidnap Tony, and Tia gives chase only to find Gannon is using her brother's powers against her.
0
Medfield College science major Dexter Riley and his classmates have been working on a new vitamin compound when a lab accident creates a supercharged mix that ends up in Dexter's cereal box, giving him superhuman strength. The powerful formula comes to the attention of the college dean and two rival cereal companies, touching off a hilarious chain of events.
1
Wilby Daniels, a successful lawyer running for District Attorney, suddenly finds himself being transformed into an English sheepdog. Somehow he has to keep his change a secret and find just what is causing it, all the while eluding the local dog catcher.
1
Bumbling professor Ned Brainard accidentally invents flying rubber, or "Flubber", an incredible material that gains energy every time it strikes a hard surface. It allows for the invention of shoes that can allow jumps of amazing heights and enables a modified Model-T to fly. Unfortunately, no one is interested in the material except for Alonzo Hawk, a corrupt businessman who wants to steal the material for himself.
-2
The eponymous wraith returns to Earth to aid his descendant, elderly Emily Stowecroft. The villains want to kick Emily and her friends out of their group home so that they can build a crooked casino. Good guy Steve Walker gets caught in the middle of the squabble after evoking Blackbeard's ghost.
-1
Legends (and myths) from the life of famed American frontiersman Davy Crockett are depicted in this feature film edited from television episodes. Crockett and his friend George Russel fight in the Creek Indian War. Then Crockett is elected to Congress and brings his rough-hewn ways to the House of Representatives. Finally, Crockett and Russell journey to Texas and the last stand at the Alamo.
0
A young woman suspects foul play when her cat comes home wearing a wristwatch. Convincing the FBI, though, and catching the bad guys is tougher than she imagined.
-1
Disney Legend Sterling Holloway narrates this classic animated short. A mix-up by Mr. Stork finds a little lion cub in the care of a gentle flock of sheep. Doted on by his mother, but teased by the other lambs, Lambert soon grows to become a massive lion, but as shy and gentle as the ewe who raised him. When a hungry wolf begins to stalk the herd, will Lambert find the courage to protect his mama?
5
A UFO is stranded on earth and impounded by the US government. Its pilot, a cat with a collar that gives it special powers, including the ability to communicate with humans, has eluded the authorities and seeks the help of a scientist in order to reclaim and repair his ship and get back home.
1
A young girl comes to an embittered town and confronts its attitude with her determination to see the best in life.
1
Pluto comes bounding outside to help Mickey get a Christmas tree. Chip 'n Dale see him and make fun of him, but the tree they take refuge in is the one Mickey chops down. They like the decorations, especially the candy canes and Mickey's bowl of mixed nuts. But Pluto spots them and goes after them long before Mickey spots them. Minnie, Donald, and Goofy drop by to sing carols.
1
Davy Crockett and his sidekick Georgie compete against boastful Mike Fink ("King of the River") in a boat race to New Orleans. Later, Davy and Georgie, allied with Fink, battle a group of river pirates trying to pass themselves off as Native Americans.
-1
Through an ancient spell, a boy changes into a sheepdog and back again. It seems to happen at inopportune times and the spell can only be broken by an act of bravery....
-1
Professor Dooley takes home a duck from his research laboratory as a toy for his son, but soon finds out that it lays golden eggs.
1
Young Robin Hood, in love with Maid Marian, enters an archery contest with his father at the King's palace. On the way home his father is murdered by henchmen of Prince John. Robin takes up the life of an outlaw, gathering together his band of merry men with him in Sherwood Forest, to avenge his father's death and to help the people of the land that Prince John are over taxing.
-2
Amos and Theodore, the two bumbling outlaw wannabes from The Apple Dumpling Gang, are back and trying to make it on their own. This time, the crazy duo gets involved in an army supply theft case -- and, of course, gets in lots of comic trouble along the way!
-3
When John Baxter inherits a ski resort in the Rocky Mountains, he quits his job in New York and moves the family west to run it. Only to find that the place is a wreck. But together they decide to try to fix it up and run it. But Martin Ridgeway, who wants the property, does everything he can to ensure it will fail.
-3
Ordered by his father to sell his old, small donkey, Small One, a Hebrew boy in ancient Israel takes the donkey to the Jerusalem market. Finding no buyers there, the boy is about to give up when he meets a kind man named Joseph. Joseph buys Small One and uses him to take his pregnant wife Mary to Bethlehem.
0
In this film, edited from eight episodes of Disney's hit TV series, Don Diego returns home to find his town under the heel of a cruel dictator, Capitan Monastario. Diego dons the mask of Zorro to fight the evil commandant's tyranny, and, with the help of his mute servant Bernardo, free the pueblo from his oppression.
-4
When the nephews come to Donald's house in their Halloween costumes he dumps water on them and laughs at his trick. A witch sees this and decides to help the kids. By magic she gives Donald a bad time and the kids finally get their treats.
-2
In Scotland 1865, An old shepherd and his little Skye terrier go to Edinburgh. But when the shepherd dies of pneumonia, the dog remains faithful to his master, refuses to be adopted by anyone, and takes to sleeping on his master's grave in the Greyfriars kirkyard, despite a caretaker with a "no dogs" rule. And when Bobby is taken up for being unlicensed, it's up to the children of Edinburgh and the Lord Provost to decide what's to be done.
1
Even with his long white beard and aching back, an aging Donald still has to make ends meet by lancing trash in the park. When he happens upon his old partner, an elderly honey bee named Spike, it conjures up memories of the good ol' days.
-1
Beekeeper Donald catches Humphrey the bear raiding his hives. He complains to Ranger Woodlore, who assembles his bears and lectures them. Donald puts up a barbed wire fence, which slows Humphrey down a bit, but doesn't stop him.
-1
The California Atoms are in last place with no hope of moving up. But by switching the mule from team mascot to team member, (He can kick 100 yard field goals!) they start winning, and move up in the rankings, Hurrah! The competition isn't so happy.
2
The thrilling, critically acclaimed account of Rudi Matt (James MacArthur), a young kitchen worker who is determined to conquer the Citadel -- the jagged, snowcapped peak that claimed his father's life.
1
Donald moves into a new home, and discovers his new neighbor is a slob, a mooch, and has a dog that comes crashing through the fence and digging in Donald's garden. Eventually it escalates into a full-scale war, with crowds cheering and TV coverage.
-1
Lost in a book of fairy tales, Dale imagines what it might be like to do battle with a vicious dragon---and thanks to Donald he'll soon get to find out. As Donald moves his hulking steam shovel into position, intent on clearing a path right through their tree for a new freeway, Chip and Dale ready themselves for battle just like the knights of old. With a tuna can for armor and a hat pin for a lance, Chip charges into battle atop his trusty steed, Dale. But with some quick thinking, Donald makes his phony dragon a fire breather. Who will prevail in the medieval battle for the junkyard?
1
It's Pluto's birthday party, but Mickey's dozen or so nephews seem to be having all the fun. Their present is a wagon so Pluto can pull them; the "Pin the Tail on Pluto" game doesn't go quite right, and everything seems to prevent Pluto from having his birthday cake. But Mickey has planned ahead.
2
A Wayward Texas cowboy washes up on the beaches of Hawaii and is taken home by an fatherless boy. He saves the family's business while romancing the single mom.
-1
A NASA spacecraft proves Einstein right when, traveling faster than light, it ends up near King Arthur's Camelot. On board are big-hearted Tom Trimble and Hermes, the look-alike robot he built. Tom immediately makes friends with pretty Alisande while becoming enemies with the evil knight Sir Mordred. It seems Mordred has joined up with the Sorcerer Merlin and they are both up to no good. It is now up to Tom to try and use 20th century technology to foil their plans.
2
While traveling with his nephews, Donald is disgusted that they are only interested in comics. He stops at the "fountain of youth" and tricks the kids into thinking he is a baby again. However, he gets tangled up with an aggressive mother alligator and her babies, and makes a hurried exit with the nephews.
-4
In post-Civil War Kentucky, young David Burnic becomes the unexpected heir to the family secret, a map leading to buried treasure on the Florida isle of Matecumbe.
1
Come along with Donald Duck as he visits one of nature's masterpieces. After a little ragtime rain dance, Donald strikes up a conversation with himself at Echo Cliff, then teeters along the edge of a precarious trail while riding a sure-footed burrow. It's a tough job for park ranger J. Audubon Woodlore to keep Donald in check, but it gets even tougher when they run afoul of a napping mountain lion.
1
Supported avidly by his mother and more reluctantly at first by his father, a working-class Austrian boy joins the Vienna Choirboys, where he proves to be unusually talented.
1
Park ranger Donald sends his bears off to hibernate, but Humphrey would rather stay in his hammock, run out for a glass of water, etc., than sleep; when he does get to sleep, his snoring gets him thrown out. His search for a new bed leads him right into the ranger's house.
2
Donald is shoveling the snow off his walk; Chip 'n' Dale are shoveling their branch. Donald tricks them into shoveling his walk. Angered, they sneak into his house, where he's getting ready to make popcorn. They've never seen this before, but they love it. They stow away in the box, then make off with the bowl of popped corn.
0
To restore his family's lost wealth, a young Boston lad stows away on a ship bound for the California Gold Rush. When their very proper butler gives chase, all roads lead to nonstop adventure, wild and woolly characters, and a lucky punch that leads to a bonanza of belly laughs!
2
This final True-Life Adventure would also appear to be one of the best, as we go into the South American jungle to observe the jaguar. Jungle Cat is more intimate than its kin, allowing individual animal characters to be developed. Central to the cast is a pair of jaguars (one ebony), whose fighting leads to love and, not long after, two babies (one resembling each parent).
4
Spin and Marty is a popular series of television shorts that aired as part of ABC's Mickey Mouse Club show of the mid-1950s produced by Walt Disney. There were three serials in all, set at the Triple R Ranch, a boys' western-style summer camp. The first series of 25 eleven-minute episodes, The Adventures of Spin and Marty, was filmed in 1955. Its popularity led to two sequels – The Further Adventures of Spin and Marty in 1956 and The New Adventures of Spin and Marty in 1957.

It aired as reruns on the Disney Channel until September 9, 2002.

The serials were based on the 1942 novel Marty Markham by Lawrence Edward Watkin. The producer for Disney was Bill Walsh and the screenplay was written by Jackson Gillis. The shows' success led to the Spin and Marty comic books of the late 1950s. The first season's 25 episodes with bonus material were released on DVD by Disney in 2005.
5
Mickey and Pluto go fishing. Pluto has a run-in with a clam, who eventually lodges in Pluto's mouth; Mickey thinks the clam is Pluto's tongue and can't understand why Pluto keeps begging for more food. After they get rid of the clam, Mickey's attempts to use his minnows as bait are thwarted by a hungry seagull; he brings his friends, and they chase our heroes away.
-1
Story of the American Prairie as it was when vast herds of bison and elk grazed.
0
Donald has a ride-on sized train layout in his backyard. There's a large tree (home to Chip 'n Dale) that's out of scale, so Donald moves it while they're out; they come back to see their tree moving. No problem; one of Donald's model houses is just their size.
-1
A bear cub and a raccoon become fast friends when they're swept away down a river, away from their families.
1
Story of Cam Calloway and his family, who live in a densely wooded area in New England. Cam dreams of building a sanctuary for the geese that fly over the area each year, and he tries several schemes to buy a nearby lake for this santuary. He is thwarted at every attempt, it seems; he and his son try to get enough furs from their trapping venture to get the money, but the bottom falls out of the fur market. He uses the little money they get for a down payment on the lake, thereby losing their house when he can't make the mortgage payment. They move to the lake, where their friends help them build a cabin. A salesman stops in town, and tries to get the people to sell their land for a tourist venture; Cam is outraged at his tactics and takes desperate measures after he himself is tricked.
-4
Two bear cubs, Tuffy and Tubby, are separated from their mother and spend an entire summer romping through Yellowstone National Park. In the meantime, the mother bear follows their trail as she searches for them.
0
Nothing warms the heart like the story of a boy and his dog. Lonnie (Johnny Whitaker) and Text (George Spell) are two friends determined, against all odds, to turn a misfit hound into a hero. Tennessee farmer and dog trainer Harve McNeil (Earl Holliman) tells his son Lonnie that his dog, Moreover, is a good-for-nothing "biscuit eater."
1
This True Life Fantasy follows and shows how the life of a female squirrel, Perri, in the forest is filled with danger and fraught with peril. When not fleeing her natural enemy, the Marten, Perri finds time to fall in love with her prince-charming male squirrel.
-5
A young boy gets along better with the animals he befriends around his family's Canadian farm than with the people he lives with.
1
When a man adopts three black bear cubs, he faces one of the hardest decisions of his life. Set in the wilderness of British Columbia, Canada, Robert Leslie struggles to keep his bears safe and maintain relations with native Americans and park rangers.
0
As ratings for Jack Crandall's lifeless airborne traffic reports plummet, a super-size St. Bernard on the lam stows away in his chopper. Crandall's new co-pilot helps send ratings sky-high, but the canine's chronic kleptomania generates girl trouble, jewel thievery, and loads of laughs.
-3
Walt Disney discusses the history of animation, beginning with J. Stuart Blackton and his Humorous Phases of Funny Faces in 1906, and including Gertie the Dinosaur.
0
Water Birds is a 1952 short documentary film directed by Ben Sharpsteen. The film delves into the still waters of lagoons and marshes to the wild blue wilderness of the vast oceans, to experience the beauty and variety of their majestic birds, each perfectly designed for its habitat. It won the Oscar for Best Short Subject, Two-Reel.
5
A feature-length documentary showing the changing world of nature, the sky, the sea, the sun, planets, insects and volcanic action. A story of nature's strange and intricate designs for survival and her many methods of perpetuating life.
1
The strange and wonderful world that lies beneath our feet, under leaf, log and rock, peopled by millions of weird and fascinating creatures. Released theatrically alongside Alice In Wonderland.
-1
A girl goes on vacation to the mountains where she finds a wild horse named Hacksaw. With a little help, she captures the stud and it doesn't take long until the man who helped her starts wagon racing, since Hacksaw refuses to have any man or woman on his back.
-1
Ghosts and a young cadet try to save a military academy from being closed.
0
Part of the "True-Life Adventure Series"; The subject of this two-reel are the elk of Washington state's Olympic Peninsula. We see these deer learning to walk, climbing downhill in a herd, and braving local bears. Those, plus some colorful arctic flowers, are the nice bits. We also see the elk engaging in duels (something amusingly observed and "imitated" by marmots), athletic fights with deadlocks said to often end in death by starvation to both participants. If that brutish behavior isn't enough to turn you off, then wait until you see how the polygamous bull males gather up wives and do battle with another (with wives as a wager) before unmelodically announcing the end of their bachelorhood.
0
Two young brothers secretly bring home a seal from their summer vacation and try to hide it from Mom and Dad. Havoc ensues as Sammy's antics disrupt the quiet town of Gatesville and its unsuspecting residents.
-2
Part of the "True-Life Adventure Series"; Disney filmmakers take their cameras to Florida, not to document the swamps that would become Walt Disney World, but to capture the lives of creatures in the everglades. Focusing primarily on alligators, we also see the behavior of animals such as snakebirds, raccoons, and even otters who like to "play" with the alligators.
1
Follow the Disco Mice of the New Mickey Mouse Club as they visit America's favorite vacation spot, Walt Disney World!
1
Paul Winters, a rock star burnout, flees his fame and ends up by chance on an island where he comes face to face with Sultan, a domesticated Bengal tiger left there to be hunted by a wealthy businessman. He then befriends the animal and decides to do everything to save him...
1
Walt takes viewers on yet another tour of Disneyland to point out some of the newest additions to the park, including New Orleans Square, It's a Small World, and Great Moments With Mr. Lincoln.
1
This is the story of the foundation sire of the Morgan Horse Breed.
0
Walt Disney presents a combination live-action and animated drama of America's historical fight for freedom. Includes a segment from Johnny Tremain, depicting the Boston Tea Party and the battle at Concord, and is followed by Ben and Me.
1
With the grand opening of Disneyland just a matter of days away, Walt Disney brings us an update on the construction of the new magic kingdom. Winston Hibler narrates scenes depicting the construction on the attarctions and settings in the park as work speeds up to meet the deadline before opening day.
3
Walt Disney explains some of the techniques of animation, and includes for the first time the pencil test footage of the "Soup Eating Sequence" from Snow White and the Seven Dwarfs. Walt references a book called "The Art of Animation" which shows a technique that is used in animated cartoons that dates back to the ancient Egyptians and Greeks.
0
The satiric adventures of a working-class family in the misfit city of Springfield.
-1
In this enchantingly cracked fairy tale, the beautiful Princess Buttercup and the dashing Westley must overcome staggering odds to find happiness amid six-fingered swordsmen, murderous princes, Sicilians and rodents of unusual size. But even death can't stop these true lovebirds from triumphing.
0
When a young boy makes a wish at a carnival machine to be big—he wakes up the following morning to find that it has been granted and his body has grown older overnight. But he is still the same 13-year-old boy inside. Now he must learn how to cope with the unfamiliar world of grown-ups including getting a job and having his first romantic encounter with a woman.
0
Eight-year-old Kevin McCallister makes the most of the situation after his family unwittingly leaves him behind when they go on Christmas vacation. But when a pair of bungling burglars set their sights on Kevin's house, the plucky kid stands ready to defend his territory. By planting booby traps galore, adorably mischievous Kevin stands his ground as his frantic mother attempts to race home before Christmas Day.
-2
'Toon star Roger is worried that his wife Jessica is playing pattycake with someone else, so the studio hires detective Eddie Valiant to snoop on her. But the stakes are quickly raised when Marvin Acme is found dead and Roger is the prime suspect.
-2
The evil Queen Bavmorda hunts the newborn princess Elora Danan, a child prophesied to bring about her downfall. When the royal infant is found by Willow, a timid farmer and aspiring sorcerer, he's entrusted with delivering her from evil.
-4
America's Funniest Home Videos is the longest-running primetime entertainment show in ABC history. Each week AFV shines the spotlight on hilarious videos. Fans tune in to witness failures and fiascos and to submit their own mishaps for their chance at stardom.
-1
When Santa Claus decides to retire and pass on his magic bag of Christmas surprises to a new Saint Nick, he enlists the aid of a hilarious assortment of characters. A perky teen runaway and hapless taxi driver Ernest P. Worrell must convince a skeptical kiddie-show host to take over the post of Father Christmas.
0
Luke Skywalker leads a mission to rescue his friend Han Solo from the clutches of Jabba the Hutt, while the Emperor seeks to destroy the Rebellion once and for all with a second dreaded Death Star.
-1
Ebenezer Scrooge is far too greedy to understand that Christmas is a time for kindness and generosity. But with the guidance of some new found friends, Scrooge learns to embrace the spirit of the season. A retelling of the classic Dickens tale with Disney's classic characters.
4
Chip and Dale head a small, eccentric group of animal characters who monitor not only the human world, but the animal community as well, solving mysteries wherever they may be. The "Rescue Rangers" take the cases that fall through the cracks.
-3
Dorothy, saved from a psychiatric experiment by a mysterious girl, finds herself back in the land of her dreams, and makes delightful new friends, and dangerous new enemies.
-2
Scott Turner has 3 days left in the local police department before he moves to a bigger city to get some 'real' cases—not just misdemeanors. When Amos Reed is murdered, Scott sets himself on the case, but the closest thing to a witness to the murder is Reed's dog, Hooch, which Scott has to take care of—to avoid Hooch being 'put to sleep'.
-1
12-year-old David is accidentally knocked out in the forest near his home, but when he awakens eight years have passed. His family is overjoyed to have him back, but is just as perplexed as he is that he hasn't aged. When a NASA scientist discovers a UFO nearby, David gets the chance to unravel the mystery and recover the life he lost.
-2
When brilliant video game maker Flynn hacks the mainframe of his ex-employer, he is beamed inside an astonishing digital world...and becomes part of the very game he is designing. In his mission through cyberspace, Flynn matches wits with a maniacal Master Control Program and teams up with Tron, a security measure created to bring balance to the digital environment.
1
When plans with her boyfriend fall through, high school senior Chris Parker ends up babysitting the Anderson kids, Brad and Sara. What should be a quiet night in, however, turns into a series of ridiculous exploits, starting when they leave the house to pick up Chris' friend Brenda. Soon, Brad's buddy Daryl is involved, and the group must contend with car thieves, blues musicians and much more.
-3
Scrooge McDuck finds his hands full at home when nephews Huey, Dewey and Louie move to Duckburg. Joined by their loyal pals Launchpad McQuack, Gyro Gearloose and Mrs. Beakley, the DuckTales gang never fails to deliver a wealth of adventure. Get ready for a fortune of fun with DuckTales!
3
This colorful adventure tells the story of an impetuous mermaid princess named Ariel who falls in love with the very human Prince Eric and puts everything on the line for the chance to be with him. Memorable songs and characters -- including the villainous sea witch Ursula.
0
Baloo the Bear stars in an adventurous comedy of love and conflict with his friend Kit Cloudkicker. Rebecca Cunningham and her daughter Molly purchase Baloo's failing company and Baloo must fly transport runs to clear his debt while dodging Don Karnage and his sky pirates.
0
A successful businessman falls in love with the girl of his dreams. There's one big complication though; he's fallen hook, line and sinker for a mermaid.
-1
The scientist father of a teenage girl and boy accidentally shrinks his and two other neighborhood teens to the size of insects. Now the teens must fight diminutive dangers as the father searches for them.
-1
Taran is an assistant pigkeeper with boyish dreams of becoming a great warrior. However, he has to put the daydreaming aside when his charge, an oracular pig named Hen Wen, is kidnapped by an evil lord known as the Horned King. The villain hopes Hen will show him the way to The Black Cauldron, which has the power to create a giant army of unstoppable soldiers.
-1
Kermit and Fozzie are newspaper reporters sent to London to interview Lady Holiday, a wealthy fashion designer whose priceless diamond necklace is stolen. Kermit meets and falls in love with her secretary, Miss Piggy. The jewel thieves strike again, and this time frame Miss Piggy. It's up to Kermit and Muppets to bring the real culprits to justice.
-3
An animated television series that features the exploits of R2-D2 and C-3PO. The series takes place between the events depicted in Star Wars Episode III: Revenge of the Sith and Star Wars Episode IV: A New Hope.
-2
Join the world’s sweetest heroes for high adventure in a mystical land of giants and wizards, ogres and dragons, and wondrous creatures both good and evil. Meet Gruffi, Zummi, Cubbi, Grammi, Tummi, Sunni, and all the legendary Gummis as they laugh, play, foil dastardly plots, and fight for what's right.
2
Spider-Man and His Amazing Friends is an American animated television series produced by Marvel Productions starring established Marvel Comics characters Spider-Man and Iceman and an original character, Firestar. As a trio called the Spider-Friends, they fought against various villains.
3
The army of the Marauders, led by King Terak and the witch Charal, attack the Ewoks village, killing Cindel's family. Cindel and the Ewok Wicket escape and meet Teek in the forest, a naughty and very fast animal. Teek takes them to a house in which an old man, Noa, lives. Like Cindel, he also crashed with his Starcruiser on Endor. Together they fight Terak and Charal.
-1
Three bachelors find themselves forced to take care of a baby left by one of the guy's girlfriends.
0
The Towani family civilian shuttlecraft crashes on the forest moon of Endor. The four Towani's are separated. Jermitt and Catarine, the mother and father are captured by the giant Gorax, and Mace and Cindel, the son and daughter, are missing when they are captured. The next day, the Ewok Deej is looking for his two sons when they find Cindel all alone in the shuttle (Mace and Cindel were looking for the transmitter to send a distress call), when Mace appears with his emergency blaster. Eventually, the four-year old Cindel is able to convince the teenage Mace that the Ewoks are nice. Then, the Ewoks and the Towani's go on an adventure to find the elder Towanis.
-2
The Ewok Wicket and his friends from the Bright Tree Village go on many magical adventures.
2
Ginny Grainger, a young mother, rediscovers the joy and beauty of Christmas, thanks to the unshakable faith of her six-year-old daughter Abbie and Gideon, Ginny's very own guardian angel.
4
When the diabolical Professor Ratigan kidnaps London's master toymaker, the brilliant master of disguise Basil of Baker Street and his trusted sidekick Dawson try to elude the ultimate trap and foil the perfect crime.
2
When a feisty little fox named Tod is adopted into a farm family, he quickly becomes friends with a fun and adorable hound puppy named Copper. Life is full of hilarious adventures until Copper is expected to take on his role as a hunting dog -- and the object of his search is his best friend!
4
This animated take on Oliver Twist re-imagines Oliver as an adorable orphaned kitten who struggles to survive in New York City and falls in with a band of canine criminals led by an evil human. First, Oliver meets Dodger, a carefree mutt with street savoir faire. But when Oliver meets wealthy Jenny on one of the gang's thieving missions, his life changes forever.
-1
With his nephews and niece, everyone's favorite rich uncle, Scrooge McDuck, treks from his mansion home in Duckburg in search of the long-lost loot of the thief Collie Baba. But finding the goods isn't quite what it's "quacked" up to be! Their thrilling adventure leads to comical chaos, magical mayhem, and a lesson about what is far more valuable than money, gold and jewels.
5
In the 1940s in the small town of Jupiter Hollow, two sets of identical twins are born in the same hospital on the same night. One set to a poor local family and the other to a rich family just passing through. The dizzy nurse on duty accidentally mixes the twins unbeknown to the parents. Our story flashes forward to the 1980s where the mismatched sets of twins are about to cross paths.
-2
Sylvia's work increasingly takes her away from the three men who help bring up Mary, her daughter. When she decides to move to England and take Mary with her, the three men are heartbroken at losing the two most important females in their lives.
1
America is in the depths of the Great Depression. Families drift apart when faraway jobs beckon. A courageous young girl confronts overwhelming odds when she embarks on a cross-country search for her father. During her odyssey, she forms a close bond with two diverse traveling companions: a magnificent, protective wolf, and a hardened drifter.
2
A lawless poacher wants to capture a majestic and rare golden eagle, so he kidnaps the boy who knows where to find the bird. Not to worry -- the Rescue Aid Society's top agents, heroic mice Miss Bianca and Bernard, fly to Australia to save the day. Accompanying the fearless duo are bumbling albatross Wilbur and local field operative Jake the Kangaroo Rat.
2
When young Victor's pet dog Sparky (who stars in Victor's home-made monster movies) is hit by a car, Victor decides to bring him back to life the only way he knows how. But when the bolt-necked "monster" wreaks havoc and terror in the hearts of Victor's neighbors, he has to convince them (and his parents) that despite his appearance, Sparky's still the good loyal friend he's always been.
-3
An American animated children's television series inspired by A. A. Milne's Winnie-the-Pooh stories.
0
There's nothing like a restful nap in a pleasant wooded valley. But when André awakens and is greeted by a pesky yellow-and-black striped insect with a nasty stinger, he ends up taking a quick (and painful) hike.
1
Benji has become stranded on a remote island after a boating accident. He finds himself struggling to survive in the wilderness, avoiding close encounters with a wolf, a bear, and a territorial female cougar with her cub.
-1
A baby lamp finds a ball to play with and it's all fun and games until the ball bursts. Just when the elder Luxo thinks his kid will settle down for a bit, Luxo Jr. finds a ball ten times bigger.
1
Long ago in a land with an ailing king, there was a pair of boys who looked exactly alike, a pauper called Mickey and the other, the Crown Prince.
-2
Life on a shelf as a snowman trapped in a snow-globe blizzard can become wearing, especially when you're surrounded by knickknacks from sunnier locales. When the jaded snowman finally breaks free of his glass house, his vacation plans are cut short.
-2
Spider-Man is an American animated TV series based on the popular Marvel Comics character of the same name.
2
Babies are hardly monster-like, unless you're a toy. After escaping a drooling baby, Tinny realizes that he wants to be played with after all. But in the amount of time it takes him to discover this, the baby's attention moves on to other things only an infant could find interesting.
1
Life as the sole sale item in the clearance corner of Eben's Bikes can get lonely. So Red, a unicycle, dreams up a clown owner and his own juggling act that steals the show. But all too soon, the applause turns into the sound of rainfall, as reality rushes back. Red must resign himself to sitting in the corner and await his fate.
-2
Roger Rabbit once again is chosen for the dangerous task of babysitting Baby Herman and everything is going to be just fine.
0
Jamie and Allie are amateur sleuths whose grandfather runs a small security business. One afternoon, while digging around on their own, they accidentally stumble onto a major case.
-1
An American boy and girl, spending six months in Kenya with their scientist parents adopt a cheetah, only to realize that they must set it loose so that it can learn to hunt and be free. However, when the animal is captured by poachers planning to race it against greyhounds, the two city kids, together with a young African goat herder they befriended, head off into the wild to rescue the cheetah.
-1
In this sequel to the made-for-television Disney family classic, Mr. Boogedy, the Davis family deals with the return of Mr. Boogedy and his never-ending hunt for Widow Marion as well as a rival gag-store competitor who really has it out for Carleton. Meanwhile, the town of Lucifer Falls is planning a big carnival which the mean Mr. Lynch seeks to ruin- if Boogedy doesn't see to that first.
0
A woman leaves her husband after the death of her child to teach deaf children how to speak. Her own child was deaf and although she has no formal training she successfully teaches one boy.
-2
A novelty-salesman moves his family into a new house. Initially dismissing incidents as more of their father's practical jokes, the family soon learns that the house is haunted by people who lived in the house 300 years previously.
-1
In the vein of "Harvey", an invisible creature befriends a 12 year old boy. Of course, no one else can see him nor believes in him.
-1
Horace McNickle (Edward Asner) is a two-time felon serving prison time for counterfeiting. On the week before Christmas, he escapes from prison dressed as Santa Claus due to his uncanny resemblence to St. Nick resulting from his long white beard and heavyset features. McNickle hides out from the police in a nearby suburban neighborhood where he is befriended and helped by two local children who think he is the real Santa Claus. McNickle takes advantage of the kids naive ness to help him get his counterfeit money hidden somewhere in a local department store while he develops kind-hearted feelings for his two con victims that make him slowly understand the true nature of Christmas.
-3
A young Norwegian boy in 1850s England goes to work as a cabin boy and discovers some of his shipmates are actually pirates.
1
On the first day at his new school, Cameron instantly falls for Bianca, the gorgeous girl of his dreams. The only problem is that Bianca is forbidden to date until her ill-tempered, completely un-dateable older sister Kat goes out, too. In an attempt to solve his problem, Cameron singles out the only guy who could possibly be a match for Kat: a mysterious bad boy with a nasty reputation of his own.
-5
A “modern” young woman of the 16th century, Danielle is as independent and wise as she is beautiful and kind. Against remarkable odds, she stands up to her scheming stepmother and works miracles on the lives of everyone around her, including the crown prince of France!
6
Tired of scaring humans every October 31 with the same old bag of tricks, Jack Skellington, the spindly king of Halloween Town, kidnaps Santa Claus and plans to deliver shrunken heads and other ghoulish gifts to children on Christmas morning. But as Christmas approaches, Jack's rag-doll girlfriend, Sally, tries to foil his misguided plans.
-3
A transit worker pulls commuter Peter off railway tracks after he's mugged, but—while he's in a coma—his family mistakenly thinks she's Peter's fiancée, and she doesn't correct them. Things get more complicated when she falls for his brother, who's not quite sure that she's who she claims to be.
-2
The coming of age events and everyday life-lessons of Cory Matthews, a Philadelphian who grows up from a young boy to a married man.
0
Six-year-old Susan Walker has doubts about childhood's most enduring miracle—Santa Claus. Her mother told her the secret about Santa a long time ago, but, after meeting a special department store Santa who's convinced he's the real thing, Susan is given the most precious gift of all—something to believe in.
0
Instead of flying to Florida with his folks, Kevin ends up alone in New York, where he gets a hotel room with his dad's credit card—despite problems from a clerk and meddling bellboy. But when Kevin runs into his old nemeses, the Wet Bandits, he's determined to foil their plans to rob a toy store on Christmas Eve.
-2
The X-Men are an elite team of mutants, genetically gifted human beings with superpowers, sworn to fight for mutant rights against hostile Government agencies, whilst at the same time protecting mankind from mutant supremacist Magneto who seeks to destroy the human race in return for the atrocities committed against mutant kind.
0
After 300 years of slumber, three sister witches are accidentally resurrected in Salem on Halloween night, and it is up to three kids and their newfound feline friend to put an end to the witches' reign of terror once and for all.
-1
On her 13th birthday, Marnie learns she's a witch, discovers a secret portal, and is transported to Halloweentown — a magical place where ghosts and ghouls, witches and werewolves live apart from the human world. But she soon finds herself battling wicked warlocks, evil curses, and endless surprises.
-2
On Christmas Eve, divorced dad Scott Calvin and his son discover Santa Claus has fallen off their roof. When Scott takes the reins of the magical sleigh, he finds he is now the new Santa, and must convince a world of disbelievers, including himself.
-1
George Banks is an ordinary, middle-class man whose 22 year-old daughter Annie has decided to marry a man from an upper-class family, but George can't think of what life would be like without his daughter. His wife tries to make him happy for Annie, but when the wedding takes place at their home and a foreign wedding planner takes over the ceremony, he becomes slightly insane.
1
A retelling of the classic Dickens tale of Ebenezer Scrooge, miser extraordinaire. He is held accountable for his dastardly ways during night-time visitations by the Ghosts of Christmas Past, Present and Future.
-1
A young lion prince is cast out of his pride by his cruel uncle, who claims he killed his father. While the uncle rules with an iron paw, the prince grows up beyond the Savannah, living by a philosophy: No worries for the rest of your days. But when his past comes to haunt him, the young prince must decide his fate: Will he remain an outcast or face his demons and become what he needs to be?
-5
When the young orphan boy James spills a magic bag of crocodile tongues, he finds himself in possession of a giant peach that flies him away to strange lands.
0
After leading his football team to 15 winning seasons, coach Bill Yoast is demoted and replaced by Herman Boone – tough, opinionated and as different from the beloved Yoast as he could be. The two men learn to overcome their differences and turn a group of hostile young men into champions.
3
Led by Woody, Andy's toys live happily in his room until Andy's birthday brings Buzz Lightyear onto the scene. Afraid of losing his place in Andy's heart, Woody plots against Buzz. But when circumstances separate Buzz and Woody from their owner, the duo eventually learns to put aside their differences.
-1
Josie Geller, a baby-faced junior copywriter at the Chicago Sun-Times, must pose as a student at her former high school to research contemporary teenage culture. With the help of her brother, Rob, Josie infiltrates the inner circle of the most popular clique on campus. But she hits a major snag in her investigation -- not to mention her own failed love life -- when she falls for her dreamy English teacher, Sam Coulson.
-2
Andy heads off to Cowboy Camp, leaving his toys to their own devices. Things shift into high gear when an obsessive toy collector named Al McWhiggen, owner of Al's Toy Barn kidnaps Woody. Andy's toys mount a daring rescue mission, Buzz Lightyear meets his match and Woody has to decide where he and his heart truly belong.
0
Dinosaurs follows the life of a family of dinosaurs, living in a modern world. They have TV's, fridges, microwaves, and every modern convenience.
3
The series provides children with valuable tools for growth in key areas of music, social skill development, and cognitive learning through integrated programs combining music, movement, and exploration. With Bear and all his friends, learn about cooperation, teamwork and more.
3
When a Jamaican sprinter is disqualified from the Olympic Games, he enlists the help of a dishonored coach to start the first Jamaican bobsled team.
0
In Scotland, 994 A.D. Goliath and his clan of gargoyles defend a medieval castle. In present day, David Xanatos buys the castle and moves it to New York City. When the castle is attacked the gargoyles are awakened from a 1000 year curse.
-1
9-year-old Alex Pruitt is home alone with the chicken pox. Turns out, due to a mix-up among nefarious spies, Alex was given a toy car concealing a top-secret microchip. Now Alex must fend off the spies as they try to break into his house to get it back.
-2
Just when George Banks has recovered from his daughter's wedding, he receives the news that she's pregnant ... and that George's wife is expecting too. He was planning on selling their home, but that's a plan that—like George—will have to change with the arrival of both a grandchild and a kid of his own.
0
Bitten by a radioactive spider, Peter Parker develops spider-like superpowers. He uses these to fight crime while trying to balance it with the struggles of his personal life.
-2
Anakin Skywalker, a young slave strong with the Force, is discovered on Tatooine. Meanwhile, the evil Sith have returned, enacting their plot for revenge against the Jedi.
-3
In 1965, passionate musician Glenn Holland takes a day job as a high school music teacher, convinced it's just a small obstacle on the road to his true calling: writing a historic opus. As the decades roll by with the composition unwritten but generations of students inspired through his teaching, Holland must redefine his life's purpose.
0
A retired farmer and widower in his 70s, Alvin Straight learns one day that his distant brother Lyle has suffered a stroke and may not recover. Alvin is determined to make things right with Lyle while he still can, but his brother lives in Wisconsin, while Alvin is stuck in Iowa with no car and no driver's license. Then he hits on the idea of making the trip on his old lawnmower, thus beginning a picturesque and at times deeply spiritual odyssey.
2
Deep in the African jungle, a baby named George, the sole survivor of a plane crash, is raised by gorillas. George grows up to be a buff and lovable klutz who has a rain forest full of animal friends: Tookie, his big-beaked toucan messenger; Ape, a witty talking gorilla; and Shep, a peanut-loving pooch of an elephant. But when poachers mess with George's pals, the King Of Swing swings into action.
1
Mighty Ducks is an American animated television series that aired on ABC and The Disney Afternoon in the fall of 1996. The show was inspired by and loosely based on the live-action films and NHL team of the same name. T

DisneyQuest, an "Indoor Interactive Theme Park" located in the Downtown Disney area of the Walt Disney World Resort, has an attraction loosely based on the program called Mighty Ducks Pinball Slam. Wildwing is the only character from the show featured, first as a life-size cutout at the front of the queue line and then again as the goalie in the game.
2
To save her father from certain death in the army, a young woman secretly enlists in his place and becomes one of China's greatest heroines in the process.
1
Though Goofy always means well, his amiable cluelessness and klutzy pratfalls regularly embarrass his awkward adolescent son, Max. When Max's lighthearted prank on his high-school principal finally gets his longtime crush, Roxanne, to notice him, he asks her on a date. Max's trouble at school convinces Goofy that he and the boy need to bond over a cross-country fishing trip like the one he took with his dad when he was Max's age, which throws a kink in his son's plans to impress Roxanne.
-3
Kuzco is a self-centered emperor who summons Pacha from a village and to tell him that his home will be destroyed to make room for Kuzco's new summer home. Kuzco's advisor, Yzma, tries to poison Kuzco and accidentally turns him into a llama, who accidentally ends up in Pacha's village. Pacha offers to help Kuzco if he doesn't destroy his house, and so they form an unlikely partnership.
-3
Princess Jasmine grows tired of being forced to remain in the palace, so she sneaks out into the marketplace, in disguise, where she meets street-urchin Aladdin.  The couple falls in love, although Jasmine may only marry a prince.  After being thrown in jail, Aladdin becomes embroiled in a plot to find a mysterious lamp, with which the evil Jafar hopes to rule the land.
-6
Teenagers Cyclops, Jean Grey, Rogue, Nightcrawler, Shadowcat, and Spike fight for a world that fears and hates them.
-3
At the urging of his gargoyle pals, Quasimodo leaves Notre Dame tower against the wishes of his guardian, the evil Judge Claude Frollo. He ventures out to the Festival of Fools and finds his first true friend, a Romani woman named Esmeralda, who entrusts him with a secret. When the secret is revealed, Quasi soon finds himself fighting to save the people and city he loves.
-1
A stunt pilot comes across a prototype jetpack that gives him the ability to fly. However, evil forces of the world also want this jetpack at any cost.
-2
The Incredible Hulk is an American animated television series starring the Marvel Comics character the Hulk. It ran two seasons, for 21 episodes, on the television network UPN from 1996 to 1997. Lou Ferrigno, who portrayed Universal's version of the Hulk on the 1970s live-action TV series, provided the Hulk's voice for the true version from Marvel.

The show often featured cameo appearances by characters from other Marvel cartoons of the period. In the second season, the show's format, after UPN decided that Season 1 was too dark, was changed, and to give "female viewers a chance", the network ordered that She-Hulk be made a regular co-star. As a result, the series was officially renamed The Incredible Hulk and She-Hulk. The second season also featured the Grey Hulk.
4
After reckless young lawyer Gordon Bombay gets arrested for drunk driving, he must coach a kids hockey team for his community service. Gordon has experience on the ice, but isn't eager to return to hockey, a point hit home by his tense dealings with his own former coach, Jack Reilly. The reluctant Gordon eventually grows to appreciate his team, which includes promising young Charlie Conway, and leads them to take on Reilly's tough players.
1
Tarzan was a small orphan who was raised by an ape named Kala since he was a child. He believed that this was his family, but on an expedition Jane Porter is rescued by Tarzan. He then finds out that he's human. Now Tarzan must make the decision as to which family he should belong to...
-1
Bestowed with superhuman strength, a young mortal named Hercules sets out to prove himself a hero in the eyes of his father, the great god Zeus. Along with his friends Pegasus, a flying horse, and Phil, a personal trainer, Hercules is tricked by the hilarious, hotheaded villain Hades, who's plotting to take over Mount Olympus!
1
Cinderella chafes under the cruelty of her wicked stepmother and her evil stepsisters, until her Fairy Godmother steps in to change her life for one unforgettable night. At the ball, she falls for handsome Prince Christopher, whose parents, King Maximillian and Queen Constantina, are anxious for him to find a suitable paramour.
-3
A successful physician and devoted family man, John Dolittle seems to have the world by the tail, until a long suppressed talent he possessed as a child, the ability to communicate with animals is suddenly reawakened with a vengeance! Now every creature within squawking distance wants the good doctor's advice, unleashing an outrageous chain of events that turns his world upside down!
1
Pocahontas, daughter of a Native American tribe chief, falls in love with an English soldier as colonists invade 17th century Virginia.
0
On behalf of "oppressed bugs everywhere," an inventive ant named Flik hires a troupe of warrior bugs to defend his bustling colony from a horde of freeloading grasshoppers led by the evil-minded Hopper.
-1
A Reno singer witnesses a mob murder and the cops stash her in a nunnery to protect her from the mob's hitmen. The mother superior does not trust her, and takes steps to limit her influence on the other nuns. Eventually the singer rescues the failing choir and begins helping with community projects, which gets her an interview on TV—and identification by the mob.
1
The joke's on absent-minded scientist Wayne Szalinski when his troublesome invention shrinks him, his brother and their wives so effectively that their children think they've completely disappeared. Of course, this gives the kids free rein to do anything they want, unaware that their parents are watching every move.
-1
After telling the story of Flint's last journey to young Jim Hawkins, Billy Bones has a heart attack and dies just as Jim and his friends are attacked by pirates. The gang escapes into the town where they hire out a boat and crew to find the hidden treasure, which was revealed by Bones before he died. On their voyage across the seas, they soon find out that not everyone on board can be trusted.
0
Adventures in Wonderland is a live-action musical television series based on Walt Disney's animated classic Alice in Wonderland. In the series, Alice, was portrayed as a girl who can go to and from Wonderland simply by walking through her mirror.

The show ran from 1992 to 1995 on the Disney Channel and on stations across the country. Like many Disney Channel original shows, Adventures in Wonderland was taped at Disney-MGM Studios at the Walt Disney World Resort in Lake Buena Vista, Florida, with two sound stages used exclusively for the show, but only for its first 40 episodes. Afterward, shooting was moved to Los Angeles, CA.

Walt Disney Studios Home Entertainment released three VHS tapes of certain episodes.
2
A week in the life of the exploited, child newspaper sellers in turn-of-the-century New York. When their publisher, Joseph Pulitzer, tries to squeeze a little more profit out of their labours, they organize a strike, only to be confronted with the Pulitzer's hard-ball tactics.
-1
Follow the adventures of Belle, a bright young woman who finds herself in the castle of a prince who's been turned into a mysterious beast. With the help of the castle's enchanted staff, Belle soon learns the most important lesson of all -- that true beauty comes from within.
3
Camp Hope is a summer retreat for overweight boys run by a kindly couple who make the campers feel comfortable with their extra pounds. But when tyrannical fitness guru Tony buys the camp, he puts the kids on a cruel regimen that goes too far. Sick of the endless weeks of "all work and no play," the kids stage a coup and reclaim their summer of fun.
0
After Gordon Bombay's hockey comeback is cut short he is named coach of Team USA Hockey for the Junior Goodwill Games. Bombay reunites the Mighty Ducks and introduces a few new players, however, he finds himself distracted by his newfound fame and must regather if the Ducks are to defeat tournament favourites Iceland.
4
Deloris Van Cartier is again asked to don the nun's habit to help a run-down Catholic school, presided over by Mother Superior. And if trying to reach out to a class full of uninterested students wasn't bad enough, the sisters discover that the school is due to be closed by the unscrupulous chief of a local authority.
-1
An evil, high-fashion designer plots to steal Dalmatian puppies in order to make an extravagant fur coat, but instead creates an extravagant mess.
-6
Disney's The Little Mermaid is an American animated television series produced by Walt Disney Television Animation based on the 1989 Disney film of the same name. It features the adventures of Ariel as a mermaid prior to the events of the film. This series is the first Disney television series to be spun off from a major animated film. Some of the voice actors of the film reprise their roles in the series, among them Jodi Benson as Ariel, Samuel E. Wright as Sebastian, Kenneth Mars as King Triton, and Pat Carroll as Ursula.
-1
Estranged from his father, college student Jake is lured home to New York for Christmas with the promise of receiving a classic Porsche as a gift. When the bullying football team dumps him in the desert in a Santa suit, Jake is left without identification or money to help him make the journey. Meanwhile, his girlfriend, Allie, does not know where he is, and accepts a cross-country ride from Jake's rival, Eddie.
-3
The circle of life continues for Simba, now fully grown and in his rightful place as the king of Pride Rock. Simba and Nala have given birth to a daughter, Kiara who's as rebellious as her father was. But Kiara drives her parents to distraction when she catches the eye of Kovu, the son of the evil lioness, Zira. Will Kovu steal Kiara's heart?
-2
Hallie Parker and Annie James are identical twins separated at a young age because of their parents' divorce. Unknowingly to their parents, the girls are sent to the same summer camp where they meet, discover the truth about themselves, and then plot with each other to switch places.
-1
Six brave fourth-graders at Third Street School make it their mission to protect the other kids on the playground. Despite the rule of King Bob and his minions, who enforce his unwritten laws, T.J, Ashley, Vince, Gus, Gretchen and Mikey seek a rational balance between conformity and individuality.
3
Remake of the popular Disney classic, this time featuring some well known voices as two dogs and a cat trek across America encountering all sorts of adventures in the quest to be reunited with their owners.
3
Those fun-loving eletrical appliances from the acclaimed animated hit 'The Brave Little Toaster' are back in an action-packed adventure with four all-new songs. This heartfelt and humorous full-length feature reunites Toaster, Blanky, Lampy, Radio and Kirby the vacuum cleaner--the beloved household gadgets of college student Rob. When Toaster and the gang spark freindships with the playful animals at the veterinary hospital, they soon discover their new pals are about to be sent to a testing laboratory. Through teamwork (and combined voltage), they embark on a hilarious rescue to save all the animals, including Sebastion, a wise monkey, and Maisie, the doting mother cat with kittens.Treat your entire family to 'The Brave Little Toaster To The Rescue', an imaginative film bursting with colorful animation, high-energy music and characters that'll warm your heart at the push of a button!
13
A runaway orphan, young Sonora, persists in a menial job mucking stables in Doc Carver's travelling stunt show. Her great wish is to become a death-defying "diving girl," but Doc refuses her pleas. Undaunted, Sonora's gutsy resolve finally convinces him to give her a break. On the brink of stardom, however, a cruel twist of fate threatens to destroy her dream.
-6
Mickey, Minnie, and their famous friends Goofy, Donald, Daisy and Pluto gather together to reminisce about the love, magic and surprises in three wonder-filled stories of Christmas past.
2
Professor Phillip Brainard, an absent minded professor, works with his assistant Weebo, trying to create a substance that's a new source of energy and that will save Medfield College where his sweetheart Sara is the president. He has missed his wedding twice, and on the afternoon of his third wedding, Professor Brainard creates flubber, which allows objects to fly through the air.
0
Blending lively music and brilliant animation, this sequel to the original 'Fantasia' restores 'The Sorcerer's Apprentice' and adds seven new shorts.
2
The adventures of superhero Darkwing Duck, aided by his sidekick Launchpad McQuack. In his secret identity of Drake Mallard, he lives in a suburban house with his adopted daughter Gosalyn, next door to the bafflingly dim-witted Muddlefoot family. A spin-off of DuckTales.
0
Jack Powell suffers from an affliction that makes him grow four times faster than normal, so the 10-year-old looks like a 40-year-old man. After years of being tutored at home, Jack convinces his overprotective parents to send him to public school. The children don't know what to make of Jack, but with the help of his fifth-grade teacher, he makes an effort to win them over.
1
Fourteen-year-old Fi Phillips investigates the paranormal while touring the country in a bus with her widowed rock-star mom and her skeptical brother, Jack. At the beginning of Season 3, Fi passed the job of case cracker to a songbird named Annie
0
Industrialist Tony Stark leads a private team of superheroes as Iron Man against the forces of evil.
-1
A girl calls on her brother's imaginary friend to banish a mischievous boogeyman who has framed her for his pranks.
-3
Some say that to be the leader of a country is one of the loneliest jobs in the world. But being the child of a world leader can be doubly so. Constantly surrounded by security officers, restricted in movements and having almost every waking moment carefully monitored makes normalcy an impossibility. No one knows this better than young Luke Davenport, the son of U.S. President Davenport. He vents his loneliness, frustration and feelings of isolation from family and friends by being a brat to his private Secret Service agent. When the agent snaps from the strain in front of the First Lady, a new agent is assigned to Luke. He turns out to be the enormous Sam Simms, a bit of a rogue who managed to rise through the ranks by sheer determination rather than strict adherence to Secret-Service protocol. At first, Luke tries all his old tricks upon Sam. But instead of getting angry, Sam seems to actually understand.
-10
Ben Archer is not happy. His mother, Sandy, has just met a man, and it looks like things are pretty serious. Driven by a fear of abandonment, Ben tries anything and everything to ruin the "love bubble" which surrounds his mom. However, after Ben and Jack's experiences in the Indian Guides, the two become much closer.
2
Legendary secrets are revealed as Aladdin and his friends—Jasmine, Abu, Carpet and, of course, the always entertaining Genie—face all sorts of terrifying threats and make some exciting last-minute escapes pursuing the King Of Thieves and his villainous crew.
1
Winnie the Pooh, Piglet, Owl, Kanga, Roo, and Rabbit are preparing a suitable winter home for Eeyore, the perennially dejected donkey, but Tigger's continual bouncing interrupts their efforts. Rabbit suggests that Tigger go find others of his kind to bounce with, but Tigger thinks "the most wonderful thing about tiggers is" he's "the only one!" Just in case though, the joyously jouncy feline sets out to see if he can find relatives.
1
Spider-Man travels to Counter-Earth to rescue a Terran shuttle crew trapped there and discovers a tyrannical & warped version of his world.
-3
Pepper Ann is an American animated series created by Sue Rose and aired on first run syndication. It debuted on September 1, 1997, and ended on November 24, 2000.

Pepper Ann stars adolescents and charts their ups and downs at Hazelnut Middle School. It aired as part of the The Disney Afternoon block. The character originated in a comic strip published in YM magazine.
-1
As a child living in Africa, Jill Young saw her mother killed while protecting wild gorillas from poachers led by Andrei Strasser. Now an adult, Jill cares for an orphaned gorilla named Joe -- who, due to a genetic anomaly, is 15 feet tall. When Gregg O'Hara arrives from California and sees the animal, he convinces Jill that Joe would be safest at his wildlife refuge. But Strasser follows them to the U.S., intent on capturing Joe for himself.
-2
D'Artagnan travels to Paris hoping to become a musketeer, one of the French king's elite bodyguards, only to discover that the corps has been disbanded by conniving Cardinal Richelieu, who secretly hopes to usurp the throne. Fortunately, Athos, Porthos and Aramis have refused to lay down their weapons and continue to protect their king. D'Artagnan joins with the rogues to expose Richelieu's plot against the crown.
-1
Powerful businessman Russ Duritz is self-absorbed and immersed in his work. But by the magic of the moon, he meets Rusty, a chubby, charming 8-year-old version of himself who can't believe he could turn out so badly – with no life and no dog. With Rusty's help, Russ is able to reconcile the person he used to dream of being with the man he's actually become.
2
Jack London's classic adventure story about the friendship developed between a Yukon gold hunter and the mixed dog-wolf he rescues from the hands of a man who mistreats him.
2
Rolie Polie Olie was a children's television series produced by Nelvana, distributed by Disney, and created by William Joyce, Maggie Swanson, and Anne Wood. The show centers on a little roly pollie who is composed of several spheres and other three-dimensional geometric shapes. The show was one of the earliest series that was fully animated in CGI, and the first CGI animated preschool series.Rolie Polie Olie now airs in reruns on Disney Junior.

Rolie Polie Olie won a Gemini Award in Canada for "Best Animated Program" in 1999. The show also won a Daytime Emmy Award for "Outstanding Special Class Animated Program" in 2000 and 2005. William Joyce won a 1999 Daytime Emmy for Best Production Design for this series. The show has a vintage atmosphere reminiscent of the 1950s and early 1960s, with futuristic elements.
9
One by one, a flock of small birds perches on a telephone wire. Sitting close together has problems enough, and then comes along a large dopey bird that tries to join them. The birds of a feather can't help but make fun of him - and their clique mentality proves embarrassing in the end.
-1
Five Green Berets stationed in Vietnam in 1968 grudgingly undertake the mission of a lifetime -- to secretly transport an 8,000-pound elephant through 200 miles of rough jungle terrain. High jinks prevail when Capt. Sam Cahill promises the Montagnard villagers of Dak Nhe that he'll replace their prized elephant in time for an important ritual. But for Capt. T.C. Doyle, the mission becomes a jumbo-sized headache!
-1
Astonished to find the Beast has a deep-seeded hatred for the Christmas season, Belle endeavors to change his mind on the matter.
0
When the pets accidentally get separated from their vacationing owners, Chance, Shadow, and Sassy navigate the mean streets of San Francisco, trying to find their home across the Golden Gate Bridge. But the road is blocked by a series of hazards, both man and beast.
0
When Max fools a gang of local toughs, he finds himself in big trouble. Fleeing from the thugs, Max runs into an old warehouse and bumps into a boom box. By doing that, he manages to release Kazaam, a genie who has been held captive for thousands of years.
-3
Set after the events of the "The Lion King," follow Timon and Pumbaa as they go on misadventures in the jungle, as well as across the globe in various.
1
Pooh gets confused when Christopher Robin leaves him a note to say that he has gone back to school after the holidays. So Pooh, Piglet, Tigger, Eeyore and Rabbit go in search of Christopher Robin which leads to a big adventure.
0
An orphaned dinosaur raised by lemurs joins an arduous trek to a sancturary after a meteorite shower destroys his family home.
-1
A 14-year-old girl who works at a racetrack trains a talking racehorse with issues, transforming him into a winner.
1
Bullied by his siblings and nagged by his parents, 11-year-old Preston is fed up with his family -- especially their frugality. But he gets his chance to teach them a lesson when a money-laundering criminal nearly bulldozes Preston with his car and gives the boy a blank check as compensation. Preston makes the check out for $1 million and goes on a spending spree he'll never forget. Maybe now, his family will take him seriously!
-1
It's all extreme sports and a life of freedom as Max sets off for college -- but Goofy misses Max so much he loses his job and goes to finish college alongside Max and his friends. But as Goofy tries to get closer to Max, both must go to the extreme to learn how to live their own lives together.
-3
Mischievous Huck Finn is unnerved when his father, reemerging after years away, kidnaps him in an attempt to take away a $600 inheritance from his late mother. Fearing for his life, Huck fakes his own death and escapes. He soon runs into his friend, Jim, a slave fleeing his master. Together, the pair embarks on a raft journey down the Mississippi River, staying ahead of pursuers who blame the slave for Huck's alleged murder.
-8
A boy and his dog, White Fang, must try to save the noble Haida tribe from evil white men in turn-of-the-century Alaska.
0
In a depressed Texas town, British foreign exchange teacher Anna attempts to inject some life into her hopeless kids by introducing them to soccer. They're terrible at first, but Anna and her football-hero assistant whip them into shape. As they work overtime, the pair help kids build their self-esteem and also get involved in solving family squabbles.
-3
When news of John Smith's death reaches America, Pocahontas is devastated. She sets off to London with John Rolfe, to meet with the King of England on a diplomatic mission: to create peace and respect between the two great lands. However, Governor Ratcliffe is still around; he wants to return to Jamestown and take over. He will stop at nothing to discredit the young princess.
1
Morris "Mud" Himmel has a problem. His parents desperately want to send him away to summer camp. He hates going to summer camp, and would do anything to get out of it. Talking to his friends, he realizes that they are all facing the same sentence: a boring summer camp. Together with his friends, he hatches a plan to trick all the parents into sending them to a camp of their own design.
-5
A Hawaiian teenage surfer shows off his skills when he takes to the snow slopes in Vermont.
1
Get ready for a howling good time as an all new assortment of irresistible animal heroes are unleashed in this great family tail! In an unlikely alliance, the outrageous Waddlesworth - a parrot who thinks he's a Rottweiler - teams up with Oddball - an un-marked Dalmatian puppy eager to earn her spots! Together they embark on a laugh-packed quest to outwit the ever-scheming Cruella De Vil.
5
T.J. is a boy genius who gets bumped up from the fourth grade to high school. T.J. tries to adjust to his new life, but he shares some classes with his 14 year-old brother Marcus, the school jock, and his clueless and self-absorbed 16 year-old sister Yvette.
-1
Mr. Magoo, a man with terrible eyesight, gets caught up in a museum robbery.
-1
An aging codger named Geri plays a daylong game of chess in the park against himself. Somehow, he begins losing to his livelier opponent. But just when the game's nearly over, Geri manages to turn the tables.
-2
Zenon Kar, a 13-year-old girl who lives on a space station in the year 2049, gets into some trouble and is banished to Earth. With help from some Earth friends she must find her way back.
-1
The Ducks are offered scholarships at Eden Hall Academy but struggle with their new coach's methods and come under pressure from the board to retain their scholarships before their big game against the Varsity team.
-1
This cartoon follows on from the 1980’s cartoon “Ducktales”, continuing the adventures of Huey, Dewey and Louie. Now 12 year olds and living with their uncle Donald Duck, the three spend their time playing practical jokes on their hapless uncle and otherwise getting into trouble.
-3
Uptight New York City executive, Michael Cromwell, pursues his soon-to-be ex-wife to South America and returns home with the son he never knew he had—a boy raised in a tribal village in Brazil. Armed with only his blowgun, the 13-year-old Mimi-Siku discovers that the world outside his jungle home is indeed a strange place.
-1
Told from Mowgli's point of view, it's the story of how a boy became a mancub and a mancub became a man.
0
John Brown is a bumbling but well-intentioned security guard who is badly injured in an explosion planned by an evil mastermind. He is taken to a laboratory, where Brenda, a leading robotics surgeon, replaces his damaged limbs with state-of-the-art gadgets and tools. Named "Inspector Gadget" by the press, John -- along with his niece, Penny, and her trusty dog, Brain -- uses his new powers to discover who was behind the explosion.
1
While making his nightly rounds in the neighborhood, Patti's pet cat D.C. finds himself the carrier of a call for help from a kidnap victim. Patti enlists skeptical law enforcement help to find the victim before it's too late.
-1
Wayne Szalinski is at it again. But instead of shrinking things, he tries to make a machine that can make things grow. As in the first one, his machine isn't quite accurate. But when he brings Nick & his toddler son Adam to see his invention, the machine unexpectedly starts working. And when Adam comes right up to the machine, he gets zapped along with his stuffed bunny.
0
A Southern California kid named Calvin Fuller is magically transported to the medieval kingdom of Camelot through a crack in the ground caused by an earthquake. Once there, he learns he was summoned by the wizard Merlin, who needs Calvin to save Camelot. Using dazzling modern inventions, can Calvin help King Arthur retain his crown and thwart the evil Lord Belasco?
-1
The adventures of the cosmic wanderer as he seeks his lost home after rebelling from his master.
0
The evil Jafar escapes from the magic lamp as an all-powerful genie, ready to plot his revenge against Aladdin. From battling elusive villains atop winged horses, to dodging flames inside an exploding lava pit, it's up to Aladdin - with Princess Jasmine and the outrageously funny Genie by his side - to save the kingdom once and for all.
-3
After foiling Cruella DeVil's plot to make a fur coat with the puppies' skins, the Dearly Family (Roger and Anita Dearly, Nanny, Pongo, Perdita, their 15 birth puppies and 84 adopted puppies) move to a new farm home in the country. Join Pongo and Perdy's pups, brave Lucky, tubby Rolly and Cadpig the runt, together with their chicken friend Spot, as they defend their new home from Cruella DeVil (Anita's boss and now new neighbor), continually get in and out of trouble, sneak into Grutely, and have all sorts of crazy adventures around the farm. Also along for the fun is Tripod, Patch, Two-Tone, Wizzer, Dipstick, Mooch, and the rest of their barnyard friends.
-3
Set several years after the first film, Ariel and Prince Eric are happily married with a daughter, Melody. In order to protect Melody from the Sea Witch, Morgana, they have not told her about her mermaid heritage. Melody is curious and ventures into the sea, where she meets new friends. But will she become a pawn in Morgana's quest to take control of the ocean from King Triton?
2
Goofy is a single father raising his son, Max in Spoonerville. As it happens, Goofy and Max end up moving in next door to Goofy's high school friend Pete and his family. Pete's son PJ and Max become best friends practically doing everything together.
-2
News producer, Tim O'Hara gets himself fired for unwillingly compromising his bosses' daughter during a live transmission. A little later, he witnesses the crashing of a small Martian spacecraft, realizing his one-time chance of delivering a story that will rock the earth. Since Tim took the original but scaled-down spaceship with him, the Martian follows him to retrieve it.
-2
Based on the book by Thomas M. Disch and intended as the third film in the series, this sequel was finished and released prior to 'The Brave Little Toaster To The Rescue'. Whilst trying to protect their new "Little Master" the anthropomorphic appliances set off on an epic adventure and make many new friends along the way.
3
Michael Chapman, a former child TV star, runs a struggling talent agency specilizing in child acts. When a young girl off the street puts on a real performance after he catches her picking his pocket, he may have just found the next big thing.
0
Teenager Angus adopts a stray dog and names him Yellow. Several days later, while travelling along the coast of British Columbia with Angus's father, John, the boy and dog become stranded when turbulent waters capsize their boat. Angus's parents relentlessly badger rescue teams. Angus, schooled by his father in wilderness survival skills, and assisted by the intelligent Yellow Dog, tries to attract rescuers.
0
Tired of being a dog, Spot the Dog disguises himself as a boy named Scott and goes to school! With the help of his owner, Leonard, the duo try to keep his deception a secret.
-2
When Reed Richards, Sue and Johnny Storm and pilot Ben Grimm take a premature space flight on a new shuttle, they find themselves massively bombarded with cosmic radiation. Barely managing to re-enter and land safely, the quartet find themselves forever transformed with superpowers. Deciding to use these new powers to help people, they form the Fantastic Four, a superhero team dedicated to the protection of Earth from menaces like the Latverian King Dr. Doom and Galactus, the planet consumer.
2
Follow Herc's many labors during the years he spent training on how to be a hero under the tutelage of satyr Phil. Many of the Olympian Gods and Goddesses pay visit to the young hero-to-be and help or hinder him in his new adventures.
0
After Pooh, Piglet, Tigger, and Rabbit see Christopher Robin making a valentine for -- gasp! -- a girl, they find he's been bitten by a "Smitten" and is lovesick! Worried that he'll no longer have time for them, and hoping a second bite from the love bug will cure him, they set out on a wild adventure to capture the Smitten. This wonderful story, filled with magic and whimsy, and sweetened with three new songs, reminds us all that the heart is big and always has plenty of room for friends -- old and new.
2
The Stevens are a middle-class family living in Sacramento, CA. Husband and father Steve is a successful attorney. Wife and mother Eileen is a state Senator. Their oldest child Donnie ia a high-school sports legend. Ren, an 8th-grader, is just about the perfect daughter. She makes the best grades, she's popular, she does volunteer work and other extracurricular tasks by the score. Her brother Louis, in the 7th grade, is her opposite. He likes to sleep late, he's messy, his grades are not good, he's frequently in detention and he seems to take nothing seriously. But he is serious about finding something of his own that he can do to put himself on a par with the rest of his overachieving family. Though he and Ren occasionally soften their attitudes toward each other, at any given moment the're likely to be fighting like mongoose and cobra.
7
Belle, the Beast, Lumiere, Cogsworth and the rest of those zany castle residents use their imaginations to embark on three magical, storybook adventures. This direct-to-video anthology serves as a "sequel" to Disney's animated hit film. In "The Perfect World," Belle and the Beast learn about forgiveness. In "Fifi's Folly," Lumiere's girlfriend is jealous of his bond with Belle. And in "Broken Wing," the Beast learns to be kind to an injured bird.
0
After getting blamed for spoiling Christmas, the richest kid in the world wishes he'd never been born. Unfortunately, a wishing machine, invented by professor Keenbean, picked up the wish and made it come true. Now Richie finds himself in a parallel world where his only hope is to find professor Keenbean and the wishing machine so he can wish things back to normal. Written by Peter Huiskes
-1
When Will Stoneman's father dies, he is left alone to take care of his mother and their land. Needing money to maintain it, he decides to join a cross country dogsled race. This race will require days of racing for long hours, through harsh weather and terrain. This young man will need a lot of courage and a strong will to complete this race.
1
Bonkers is an animated American television series that aired from September 4, 1993 to August 24, 1995 in first-run syndication. The syndicated run was available both separately, and as part of The Disney Afternoon. The show was last seen on Toon Disney, but was taken off the schedule in late 2004.
0
A mischievous young boy, Tom Sawyer, witnesses a murder by the deadly Injun Joe. Tom becomes friends with Huckleberry Finn, a boy with no future and no family. Tom has to choose between honoring a friendship or honoring an oath because the town alcoholic is accused of the murder. Tom and Huck go through several adventures trying to retrieve evidence.
-2
Doug and his pal Skeeter set's out to find the monster of Lucky Duck Lake. Though things get really out of hand when some one blurts out that the monster is real.
-1
The Hansen kids are in a jam. Adam and his best friend Duffy have gotten their hands on some tickets for the Headless Horseman concert, and his sister Chelsea has a date with her dreamy boyfriend Peter. The only problem is they're both grounded. Chelsea and Adam will do whatever it takes to get their mom Lynette out of the house, even if it includes a chance meeting with a very mysterious man. Everything seems to go according to plan until their little brother Taylor realizes that this stranger might be a vampire.
-3
Andy "Brink" Brinker and his in-line skating crew--Peter, Jordy, and Gabriella--who call themselves "Soul-Skaters" (which means they skate for the fun of it, and not for the money), clash with a group of sponsored skaters, Team X-Bladz--led by Val--with whom they attend high school in southern California. When Brink discovers his family is in financial trouble, he goes against the wishes of his parents and his friends and joins Team X-Bladz. Brink tries to lead a double life but will be able to pull it off?
1
A young boy draws on the inspiration of legendary western characters to find the strength to fight an evil land baron in the old west who wants to steal his family's farm and destroy their idyllic community. When Daniel Hackett sees his father Jonas gravely wounded by the villainous Stiles, his first urge is for his family to flee the danger, and give up their life on a farm which Daniel has come to despise anyway. Going alone to a lake to try to decide what to do, he falls asleep on a boat and wakes to find himself in the wild west, in the company of such "tall tale" legends as Pecos Bill, Paul Bunyan, John Henry and Calamity Jane. Together, they battle the same villains Daniel is facing in his "real" world, ending with a heroic confrontation in which the boy stands up to Stiles and his henchmen, and rallies his neighbors to fight back against land grabbers who want to destroy their town.
-9
When the planet is threatened by Super Villains, time traveling conquerors, alien invaders, mythical monsters or mad robots bent on the total destruction of humanity, when the forces of evil are so overwhelming that no single hero has the power to save the world, when there is no hope left…the AVENGERS ASSEMBLE!
-5
A teen learns that his birth mother is a mermaid after he begins to grow fins and slimy scales on his thirteenth birthday.
0
Pete Riley is a 17-year-old who lands a part-time job at a multiplex in his neighbourhood. He and his friends are excited when it's announced that the theatre will play host to the premier of a major motion picture, with a number of Hollywood celebrities in attendance. However, when the big night comes, Pete has to contend with disappearing staff, malfunctioning equipment, and a broken popcorn machine.
0
Mahree Bok lives on a farm in South Africa. Her father is a policeman who cannot hide his joy when activist Steve Biko is caught by the South African authorities. Piper Dellums is the daughter of a US congressman from California and who lives in a nice home in Washington DC. When Mahree is chosen to spend a semester at the Dellums' house, she doesn't expect that her host family would be black. Nor do her hosts suspect that she is not a black South African.
1
Squanto is a high-born Indian warrior from a tribe on the Atlantic coast of North America which devotes its life to hunting and rivalry with a neighboring tribe. Everything changes forever after a ship arrives from England, prospecting the region's commercial potential for the rich Sir George, who uses all his wealth and influence only for ever greater profit. When it returns, several Indians find themselves captives on board, including Squanto. The arrogant Christians consider themselves utterly superior to the 'heathen savages' and treat them as brutally as they do beasts. Squanto fights a bear in a circus, not understanding how men can be so cruel to that creature either, and manages a spectacular escape, but where must he go? He finds shelter and help in a rural monastery, where it takes his protector some effort to prevent the others considering the unknown as diabolical. In time sir George's men come looking for him most brutally...
-6
Two surfers end up as Yellowstone park rangers and have to stop a former ranger who is out for revenge.
-1
During a picnic, Baby Herman follows a beaver into a perilous sawmill - with Roger Rabbit in frantic pursuit.
-2
A girl steals a weather machine from Santa Claus, to make a snow day. The machine breaks, and causes an out of control snowstorm.
-2
A group of hip retro teenage outsiders become involved in an interschool bowling rivalry.
-2
Peanut, Jelly, and Baby Butter Otter live on a houseboat along with all of their friends. Whenever they get into a situation where they need to think, they perform "The Noodle Dance" until one of them gets an idea.
0
A boy is the only family member without superpowers in this Disney Film. The world depends on him saving his family from computerized brainwashers. Will he realize that it doesn't take superpowers to be a hero in time to help them defeat the villains?
2
After treating his rancher cousin shoddily in L.A. Michael Woods is sentenced by his parents to spending a month on the ranch with his cousin and aunt.
0
Ben Cooper and his family struggling to get a grip on household chores, school and work. Ben is the family caretaker. So when Ben sees that a Smart House is being given away, he enters the competition as often as he can. The family wins the house (named Pat). After moving in Pat's personality begins to radically change, the family starts to resent her.
-1
Charlie Boyle finds that even his high IQ can't solve all of his problems when he takes on a double life in order to make friends his own age.
-1
Megan's world is turned upside down when she hears her calm life with her little brother and single mum is about to change. She hears she's soon to have a stepfather and a stepsister. Megan thinks they're a bit weird and is determined to stop the wedding. She discovers they're actually even stranger than she thought - they're from another planet.
-1
The true story of Ruby Bridges, an African-American girl who, in 1960 at age 6, helped to integrate the all-white schools of New Orleans. Although she was the only black girl to come to the school she was sent to, (and since all the white mothers pulled their children out of class, she was the only one there, period), and though she faced a crowd of angry white citizens every day, she emerged unscathed, physically or emotionally. Encouraged by her teacher, a white woman from the North named Barbara Henry, and her mother, Lucille, and with her own quiet strength, she eventually broke down a century-old barrier forever, a pivotal moment in the civil-rights movement
0
Young tween Justin Yoder, who's known for his outgoing demeanor and wit despite being confined to a wheelchair, dreams to be like his athletic older brother and propels himself into the world of soapbox derby racing. It's a field he's sure he has a chance in. Unfortunately, he finds that because of his condition, not everyone is eager to see him compete.
0
A teen-age girl and her father come to an island on Hawaii, they find a closer relationship to each other and think about changing the island. During her adventures, Sydney finds friends, a new hobby with her fantastic photography, and the truth about her mother.
1
A teenager goes to desperate lengths to get attention when her mother gives birth to quints.
-1
A teen is visited by aliens after he broadcasts a message into space.
0
Jack Morgan is a dog therapist, once famous for being able to read his dog's mind. Although Jack cannot read the minds of other dogs, he still operates a canine mind-reading business, without divulging his inability to customers. Mr. Mooney and his wife bring their dog to see Jack. Dissatisfied with Jack's inability to read his dog's mind, Mr. Mooney, who is a friend of the city mayor, threatens to have his business closed down. After the Mooneys leave, a wealthy man named Clyde Windsor brings his dog, Lucky, to see Jack, who is stunned by his ability to read the dog's mind. He seems worried by this fact and ends the session early. Before Windsor leaves, Jack informs him that Lucky is bothered by three individuals that live with him.
0
Out of the Box is a Disney Channel TV series that takes place in a playhouse made entirely of cardboard boxes, where two hosts, Tony James and Vivian McLaughlin Bayubay, make crafts, sing songs, and act out plays.

Two special episodes were released on VHS by Walt Disney Home Video, Out of the Box: Trick or Treat, and Out of the Box: Happy Holidays. Trick or Treat is also available on the DVD entitled Rolie Polie Olie: A Spookie Ookie Halloween.

The series was created and executive produced by Douglas Love and was based on his series of books from HarperCollins. Three seasons were filmed at Kaufman Astoria Studios in New York City. The series earned three Parents' Choice Awards for excellence in television and an Emmy nomination.
3
Before computer graphics, special effects wizardry, and out-of-this world technology, the magic of animation flowed from the pencils of two of the greatest animators The Walt Disney Company ever produced -- Frank Thomas and Ollie Johnston. Frank and Ollie, the talent behind BAMBI, PINOCCHIO, LADY AND THE TRAMP, THE JUNGLE BOOK, and others, set the standard for such modern-day hits as THE LION KING. It was their creative genius that helped make Disney synonymous with brilliant animation, magnificent music, and emotional storytelling. Take a journey with these extraordinary artists as they share secrets, insights, and the inspiration behind some of the greatest animated movies the world has ever known!
10
Gripping historical drama presents a triumphant celebration of the human spirit. The true-life story of how one Danish family risked their lives in a remarkable effort to save thousands of their Jewish countrymen from the horror of Nazi concentration camps. Hendrik and his doctor father undertake the dangerous task of deceiving the Nazis and hiding Jewish families. When the Koster men must themselves go into hiding, Henrik's sister and mother are left to face capture by the suspicious Gestapo.
0
During the final years of his life, the famous writer Samuel "Mark Twain" Clemens is befriended by a young girl named Dorothy Quick.
1
In the 22nd century, a paraplegic Marine is dispatched to the moon Pandora on a unique mission, but becomes torn between following orders and protecting an alien civilization.
0
Yoda, Obi-Wan Kenobi, Anakin Skywalker, Mace Windu and other Jedi Knights lead the Grand Army of the Republic against the droid army of the Separatists.
2
Sydney Bristow, an agent who has been tricked to believe she is working for the U.S. government, is actually working for a criminal organization named the Alliance of Twelve. Upon learning this, Sydney becomes a double agent for the real CIA.
-2
In this musical comedy, optimistic high school teacher Will Schuester tries to refuel his own passion while reinventing the high school's glee club and challenging a group of outcasts to realize their star potential as they strive to outshine their singing competition while navigating the cruel halls of McKinley High.
1
WALL·E is the last robot left on an Earth that has been overrun with garbage and all humans have fled to outer space. For 700 years he has continued to try and clean up the mess, but has developed some rather interesting human-like qualities. When a ship arrives with a sleek new type of robot, WALL·E thinks he's finally found a friend and stows away on the ship when it leaves.
0
Jack Sparrow, a freewheeling 18th-century pirate, quarrels with a rival pirate bent on pillaging Port Royal. When the governor's daughter is kidnapped, Sparrow decides to help the girl's love save her.
-2
Modern treasure hunters, led by archaeologist Ben Gates, search for a chest of riches rumored to have been stashed away by George Washington, Thomas Jefferson and Benjamin Franklin during the Revolutionary War. The chest's whereabouts may lie in secret clues embedded in the Constitution and the Declaration of Independence, and Gates is in a race to find the gold before his enemies do.
4
Remy, a resident of Paris, appreciates good food and has quite a sophisticated palate. He would love to become a chef so he can create and enjoy culinary masterpieces to his heart's delight. The only problem is, Remy is a rat. When he winds up in the sewer beneath one of Paris' finest restaurants, the rodent gourmet finds himself ideally placed to realize his dream.
8
Carl Fredricksen spent his entire life dreaming of exploring the globe and experiencing life to its fullest. But at age 78, life seems to have passed him by, until a twist of fate (and a persistent 8-year old Wilderness Explorer named Russell) gives him a new lease on life.
-1
After being held captive in an Afghan cave, billionaire engineer Tony Stark creates a unique weaponized suit of armor to fight evil.
-3
Miser Ebenezer Scrooge is awakened on Christmas Eve by spirits who reveal to him his own miserable existence, what opportunities he wasted in his youth, his current cruelties, and the dire fate that awaits him if he does not change his ways. Scrooge is faced with his own story of growing bitterness and meanness, and must decide what his own future will hold: death or redemption.
-7
U.S. reality show based on the British series "Strictly Come Dancing," where celebrities partner up with professional dancers and compete against each other in weekly elimination rounds to determine a winner.
-1
Jesse Aarons trained all summer to become the fastest runner in school, so he's very upset when newcomer Leslie Burke outruns him and everyone else. Despite this and other differences, including that she's rich, he's poor, and she's a city girl, he's a country boy, the two become fast friends. Together, they create Terabithia, a land of monsters, trolls, ogres, and giants and rule as king and queen.
0
The beautiful princess Giselle is banished by an evil queen from her magical, musical animated land and finds herself in the gritty reality of the streets of modern-day Manhattan. Shocked by this strange new environment that doesn't operate on a "happily ever after" basis, Giselle is now adrift in a chaotic world badly in need of enchantment. But when Giselle begins to fall in love with a charmingly flawed divorce lawyer who has come to her aid - even though she is already promised to a perfect fairy tale prince back home - she has to wonder: Can a storybook view of romance survive in the real world?
0
The show follows the Jonas Brothers through fun and unusual situations as they try to live ordinary lives.
0
When college coach Herb Brooks is hired to helm the 1980 U.S. men's Olympic hockey team, he brings a unique and brash style to the ice. After assembling a team of hot-headed college all-stars, who are humiliated in an early match, Brooks unites his squad against a common foe: the heavily-favored Soviet team.
-2
When rent is not paid on a storage locker for three months in California, the contents can be sold by an auctioneer as a single lot of items in the form of a cash-only auction. The show follows professional buyers who purchase the contents based only on a five-minute inspection of what they can see from the door when it is open. The goal is to turn a profit on the merchandise.
0
James Sullivan and Mike Wazowski are monsters, they earn their living scaring children and are the best in the business... even though they're more afraid of the children than they are of them. When a child accidentally enters their world, James and Mike suddenly find that kids are not to be afraid of and they uncover a conspiracy that could threaten all children across the world.
-4
Siblings Lucy, Edmund, Susan and Peter step through a magical wardrobe and find the land of Narnia. There, they discover a charming, once peaceful kingdom that has been plunged into eternal winter by the evil White Witch, Jadis. Aided by the wise and magnificent lion, Aslan, the children lead Narnia into a spectacular, climactic battle to be free of the Witch's glacial powers forever.
7
Chaos reigns at the natural history museum when night watchman Larry Daley accidentally stirs up an ancient curse, awakening Attila the Hun, an army of gladiators, a Tyrannosaurus rex and other exhibits.
-2
Better watch out! The big guy in red is coming to town once again. This time, Scott Calvin -- also known as Santa Claus -- finds out there's an obscure clause in his contract requiring him to take on a wife. He has to leave the North Pole to fulfill his obligations, or else he'll be forced to give up his Yuletide gig.
0
Each day, two kindhearted suburban stepbrothers on summer vacation embark on some grand new project, which annoys their controlling sister, Candace, who tries to bust them. Meanwhile, their pet platypus plots against evil Dr. Doofenshmirtz.
-3
The evil Darth Sidious enacts his final plan for unlimited power -- and the heroic Jedi Anakin Skywalker must choose a side.
1
Having spent the summer engaging common criminals with his new-found powers, not so typical 16-year-old Peter Parker must conceal his secret identity and battle super-villains in the real world as he enters his junior year of high school.
0
Bob Parr has given up his superhero days to log in time as an insurance adjuster and raise his three children with his formerly heroic wife in suburbia. But when he receives a mysterious assignment, it's time to get back into costume.
0
Nemo, an adventurous young clownfish, is unexpectedly taken from his Great Barrier Reef home to a dentist's office aquarium. It's up to his worrisome father Marlin and a friendly but forgetful fish Dory to bring Nemo home -- meeting vegetarian sharks, surfer dude turtles, hypnotic jellyfish, hungry seagulls, and more along the way.
-1
Now that Santa and Mrs. Claus have the North Pole running smoothly, the Counsel of Legendary Figures has called an emergency meeting on Christmas Eve! The evil Jack Frost has been making trouble, looking to take over the holiday! So he launches a plan to sabotage the toy factory and compel Scott to invoke the little-known Escape Clause and wish he'd never become Santa.
-4
8 Simple Rules is an American sitcom television series originally starring John Ritter and Katey Sagal as middle-class parents Paul and Cate Hennessy, raising their three children. Kaley Cuoco, Amy Davidson and Martin Spanjers co-starred as their teenage kids: Bridget, Kerry and Rory Hennessy. The series ran on ABC from September 17, 2002, to April 15, 2005. The first season focused on Paul being left in charge of the children after Cate takes a full-time job as a nurse, with comedic emphasis on his often strict rules concerning his daughters and dating. The series' name and premise were derived from the book 8 Simple Rules by W. Bruce Cameron. While 8 Simple Rules was renewed for a second season and production had begun, Ritter's sudden death in September 2003 left the series in an uncertain position. After a hiatus, the series returned with killing off his character. James Garner and David Spade later joined the main cast as Cate's father Jim Egan and her nephew C.J. Barnes.
-4
A wrongfully convicted boy is sent to a brutal desert detention camp where he must dig holes in order to build character. What he doesn't know is that he is digging holes in order to search for a lost treasure hidden somewhere in the camp.
-2
Benjamin Franklin Gates and Dr. Abigail Chase re-team with Riley Poole and, now armed with a stack of long-lost pages from John Wilkes Booth's diary, Ben must follow a clue left there to prove his ancestor's innocence in the assassination of Abraham Lincoln.
0
This Emmy Award-winning series recounts the events and battles of the Galactic Republic’s last major war - the Clone Wars. Jedi Master Obi-Wan Kenobi leads an assault on the planet Muunilinst, home of the Intergalactic Banking Clan; his Padawan, Anakin Skywalker, is appointed by Supreme Chancellor Palpatine to lead the Republic’s space forces. Meanwhile, Separatist leader and Sith Lord Count Dooku takes in Force-sensitive gladiator Asajj Ventress as his Sith apprentice, and tasks her with eliminating Skywalker.
3
In 1966, Texas Western coach Don Haskins led the first all-black starting line-up for a college basketball team to the NCAA national championship.
1
Jess Bhamra, the daughter of a strict Indian couple in London, is not permitted to play organized soccer, even though she is 18. When Jess is playing for fun one day, her impressive skills are seen by Jules Paxton, who then convinces Jess to play for her semi-pro team. Jess uses elaborate excuses to hide her matches from her family while also dealing with her romantic feelings for her coach, Joe.
2
A socially awkward but very bright 15-year-old girl being raised by a single mom discovers that she is the princess of a small European country because of the recent death of her long-absent father, who, unknown to her, was the crown prince of Genovia. She must make a choice between continuing the life of a San Francisco teen or stepping up to the throne.
-2
The Fantastic Four return to the big screen as a new and all powerful enemy threatens the Earth. The seemingly unstoppable 'Silver Surfer', but all is not what it seems and there are old and new enemies that pose a greater threat than the intrepid superheroes realize.
-1
Following an assassination attempt on Senator Padmé Amidala, Jedi Knights Anakin Skywalker and Obi-Wan Kenobi investigate a mysterious plot that could change the galaxy forever.
-2
With the world now aware of his dual life as the armored superhero Iron Man, billionaire inventor Tony Stark faces pressure from the government, the press and the public to share his technology with the military. Unwilling to let go of his invention, Stark, with Pepper Potts and James 'Rhodey' Rhodes at his side, must forge new alliances – and confront powerful enemies.
-4
Captain Jack Sparrow works his way out of a blood debt with the ghostly Davy Jones to avoid eternal damnation.
-1
When space galleon cabin boy Jim Hawkins discovers a map to an intergalactic "loot of a thousand worlds," a cyborg cook named John Silver teaches him to battle supernovas and space storms on their journey to find treasure.
0
An ecological drama/documentary, filmed throughout the globe. Part thriller, part meditation on the vanishing wonders of the sub-aquatic world.
1
Sam Flynn, the tech-savvy and daring son of Kevin Flynn, investigates his father's disappearance and is pulled into The Grid. With the help of a mysterious program named Quorra, Sam quests to stop evil dictator Clu from crossing into the real world.
-2
Ancient X Files travels around the world to solve some intriguing riddles. Each story is a piece of detective work by an expert trying to make sense of some puzzling ancient artefact, to find the truth behind some extraordinary legend, to discover the origins of a bizarre myth or to establish the authenticity of a venerated religious relic. This series explores the bits of archaeology and history which seem to defy explanation.

Our experts are following chains of clues and putting theories to the test, in an effort to explain the unexplained. Ancient X Files investigates claims about the whereabouts of the lost Ark of the Covenant; attempts to establish the authenticity of a cup some believe to be the Holy Grail; tries to de-code the mysterious Phaistos disc; investigates a cloth which is believed to carry traces of the DNA of Jesus Christ; and deciphers an encrypted book of alchemy written by the great Sir Isaac Newton.
-1
When a cure is found to treat mutations, lines are drawn amongst the X-Men—led by Professor Charles Xavier—and the Brotherhood, a band of powerful mutants organised under Xavier's former ally, Magneto.
2
A biopic of 20-year-old Francis Ouimet who defeated his golfing idol and 1900 US Open Champion, Harry Vardon.
3
Advice columnist, Dan Burns is an expert on relationships, but somehow struggles to succeed as a brother, a son and a single parent to three precocious daughters. Things get even more complicated when Dan finds out that the woman he falls in love with is actually his brother's new girlfriend.
-2
Captain Barbossa, long believed to be dead, has come back to life and is headed to the edge of the Earth with Will Turner and Elizabeth Swann. But nothing is quite as it seems.
-1
During a space voyage, four scientists are altered by cosmic rays: Reed Richards gains the ability to stretch his body; Sue Storm can become invisible; Johnny Storm controls fire; and Ben Grimm is turned into a super-strong … thing. Together, these "Fantastic Four" must now thwart the evil plans of Dr. Doom and save the world from certain destruction.
-4
Woody, Buzz, and the rest of Andy's toys haven't been played with in years. With Andy about to go to college, the gang find themselves accidentally left at a nefarious day care center. The toys must band together to escape and return home to Andy.
-1
Accident prone teenager, Percy discovers he's actually a demi-God, the son of Poseidon, and he is needed when Zeus' lightning is stolen. Percy must master his new found skills in order to prevent a war between the Gods that could devastate the entire world.
0
Britain's railways were key to the development of Britain - they helped facilitate the Industrial Revolution, the suburbs- and the commuter - and created popular holiday destinations. They've even inspired poetry, film and song. Combining contemporary train journeys with ITN's extensive archive this series provides a unique and revealing history of Britain's railroads and our engineering evolution. In each episode our presenter will take a different rail journey across the UK, use historical rail guides, board classic trains, experience captivating views and explore fascinating histories and personal stories. We'll hear stories of success - and learn about the disasters which pushed the engineering forward.
4
Spider-Man: The New Animated Series is an American animated series based on the Marvel comic book superhero character Spider-Man, which ran for one season, 13 episodes, starting on July 11, 2003. It is a loose continuation of 2002's Spider-Man film directed by Sam Raimi. The show was made using computer generated imagery rendered in cel shading and was broadcast on MTV, and YTV. Eight months later after the series finale, episodes aired in reruns on ABC Family as part of the Jetix television programming block. The series featured a far more mature version of the character than typically seen on television for any animated comic book adaptation. Throughout the series, characters are clearly killed, rather than the usual ambiguous disappearance, and several characters are strongly implied to have had sex.
0
With the impending ice age almost upon them, a mismatched trio of prehistoric critters – Manny the woolly mammoth, Diego the saber-toothed tiger and Sid the giant sloth – find an orphaned infant and decide to return it to its human parents. Along the way, the unlikely allies become friends but, when enemies attack, their quest takes on far nobler aims.
-5
A talented street drummer from Harlem enrolls in a Southern university, expecting to lead its marching band's drumline to victory. He initially flounders in his new world, before realizing that it takes more than talent to reach the top.
4
Workaholic Jim Evers and his wife/business partner Sara get a call one night from  a mansion owner, Edward Gracey, who wants to sell his house. Once the Evers family arrive at the mansion, a torrential thunderstorm of mysterious origin strands them with the brooding, eccentric Gracey, his mysterious butler, and a variety of residents both seen and unseen.
-2
Balthazar Blake is a master sorcerer in modern-day Manhattan trying to defend the city from his arch-nemesis, Maxim Horvath. Balthazar can't do it alone, so he recruits Dave Stutler, a seemingly average guy who demonstrates hidden potential, as his reluctant protégé. The sorcerer gives his unwilling accomplice a crash course in the art and science of magic, and together, these unlikely partners work to stop the forces of darkness.
-2
Two boys, still grieving the death of their mother, find themselves the unwitting benefactors of a bag of bank robbery loot in the week before the United Kingdom switches its official currency to the Euro. What's a kid to do?
-2
Mickey and his friends Minnie, Donald, Pluto, Daisy, Goofy, Pete, Clarabelle and more go on fun and educational adventures.
0
After Homer accidentally pollutes the town's water supply, Springfield is encased in a gigantic dome by the EPA and the Simpsons are declared fugitives.
-1
This time around Edmund and Lucy Pevensie, along with their pesky cousin Eustace Scrubb find themselves swallowed into a painting and on to a fantastic Narnian ship headed for the very edges of the world.
1
Lightning McQueen, a hotshot rookie race car driven to succeed, discovers that life is about the journey, not the finish line, when he finds himself unexpectedly detoured in the sleepy Route 66 town of Radiator Springs. On route across the country to the big Piston Cup Championship in California to compete against two seasoned pros, McQueen gets to know the town's offbeat characters.
1
Mia Thermopolis is now a college graduate and on her way to Genovia to take up her duties as princess. Her best friend Lilly also joins her for the summer. Mia continues her 'princess lessons'- riding horses side-saddle, archery, and other royal. But her complicated life is turned upside down once again when she not only learns that she is to take the crown as queen earlier than expected...
0
Kevin McCallister's parents have split up. Now living with his mom, he decides to spend Christmas with his dad at the mansion of his father's rich girlfriend, Natalie. Meanwhile robber Marv Merchants, one of the villains from the first two movies, partners up with a new criminal named Vera to hit Natalie's mansion.
-1
Travel writer Lemuel Gulliver takes an assignment in Bermuda, but ends up on the island of Liliput, where he towers over its tiny citizens.
0
Set in a world where superheroes are commonly known and accepted, young Will Stronghold, the son of the Commander and Jetstream, tries to find a balance between being a normal teenager and an extraordinary being.
1
Follow Ariel's adventures before she gave up her fins for true love. When Ariel wasn't singing with her sisters, she spent time with her mother, Queen Athena. Ariel is devastated when Athena is killed by pirates, and after King Triton outlaws all singing. Along with pals Flounder and Sebastian, Ariel sets off in hopes of changing her father's decision to ban music from the kingdom.
-3
Diego, Manny and Sid return in this sequel to the hit animated movie Ice Age. This time around, the deep freeze is over, and the ice-covered earth is starting to melt, which will destroy the trio's cherished valley. The impending disaster prompts them to reunite and warn all the other beasts about the desperate situation.
-3
The Cromwell clan live in the real world, except for their grandmother who lives in Halloweentown, a place where monsters go to escape reality. But now the son of the Cromwells' old enemy Kalabar has a plan to use the grandmother's book to turn Halloweentown into a grey dreary version of the real world, while transform the denizens of the real world into monsters.
-4
When the powers of a single hero are not enough to save the world, the world’s greatest heroes—Iron Man, Thor, Captain America, The Hulk, Ant-Man/Giant Man and Wasp—assemble to form the Avengers.
3
Professor Charles Xavier and his team of genetically gifted superheroes face a rising tide of anti-mutant sentiment led by Col. William Stryker. Storm, Wolverine and Jean Grey must join their usual nemeses—Magneto and Mystique—to unhinge Stryker's scheme to exterminate all mutants.
1
For Beary Barrington, The Country Bears' young #1 fan, fitting in with his all-too-human family is proving im-paws-ible. When he runs away to find Country Bear Hall and his heroes, he discovers the venue that made them famous is near foreclosure. Beary hightails it over the river and through the woods to get the Bears in the Band back together for an all-out reunion concert to save Country Bear Hall.
3
Iron Man: Armored Adventures is a 3D CGI cartoon series based on the Marvel Comics superhero Iron Man. It debuted in the USA on the Nicktoons on April 24, 2009, and has already begun airing on Canadian network Teletoon. Iron Man: Armored Adventures aired on Nickelodeon on July 4, 2009 until September 12, 2009. The series is story edited by showrunner Christopher Yost, who also worked on Wolverine and the X-Men, and numerous other Marvel Animation projects. The television show is not related to the 2007 animated film The Invincible Iron Man; It has a different voice cast, but some story elements are similar and the show uses the same musical score as the film in some instances. It is the first Iron Man television series since Iron Man from 1994–1996, and started airing after the success of the live action Iron Man film.

The series follows the adventures of teenage child prodigy Tony Stark and his alter ego of Iron Man. As Iron Man, he uses his technological inventions to fight various similarly technologically advanced threats. His friends, James "Rhodey" Rhodes and Pepper Potts help him on his courageous, and dangerous adventures.
5
At home and school, she's Miley Stewart, a typical teenager, but when the lights go down and the curtain goes up, she emerges as the glamorous and talented Hannah Montana. Having the "Best of Both Worlds" is a complicated proposition, and keeping her identity under wraps leads Miley and her friends into some hilarious capers as she tries to balance her normal life with her rock star persona.
4
Wayne gets a new rookie partner, Lanny, after his previous partner got the promotion he wanted. Lanny has to remind Wayne of the Spirit of Christmas and the importance of being an elf in Santa's Prep and Landing elite unit.
1
When the kingdom's most wanted-and most charming-bandit Flynn Rider hides out in a mysterious tower, he's taken hostage by Rapunzel, a beautiful and feisty tower-bound teen with 70 feet of magical, golden hair. Flynn's curious captor, who's looking for her ticket out of the tower where she's been locked away for years, strikes a deal with the handsome thief and the unlikely duo sets off on an action-packed escapade, complete with a super-cop horse, an over-protective chameleon and a gruff gang of pub thugs.
-2
As Stitch, a runaway genetic experiment from a faraway planet, wreaks havoc on the Hawaiian Islands, he becomes the mischievous adopted alien "puppy" of an independent little girl named Lilo and learns about loyalty, friendship, and ʻohana, the Hawaiian tradition of family.
-3
History -- make that high school -- may repeat itself when Marni learns that Joanna, the mean girl from her past, is set to be her sister-in-law. Before the wedding bells toll, Marni must show her brother that a tiger doesn't change its stripes. On Marni's side is her mother, while Joanna's backed by her wealthy aunt.
0
Alice, now 19 years old, returns to the whimsical world she first entered as a child and embarks on a journey to discover her true destiny.
1
If there's danger or trouble, Kim Possible is there on the double to save the world from villains... and still make it home in time for cheerleading practice! Luckily, Kim has her sidekick Ron Stoppable and his pet naked mole-rat Rufus by her side.
-2
A group of musically gifted and ethnically diverse children travel around the world in an artificially intelligent rocket named Rocket.
2
Charlie and Dan have been best friends and business partners for thirty years; their Manhattan public relations firm is on the verge of a huge business deal with a Japanese company. With two weeks to sew up the contract, Dan gets a surprise: a woman he married on a drunken impulse nearly nine years before (annulled the next day) shows up to tell him he's the father of her twins, now seven, and she'll be in jail for 14 days for a political protest. Dan volunteers to keep the tykes, although he's up tight and clueless. With Charlie's help is there any way they can be dad and uncle, meet the kids' expectations, and still land the account?
-2
Set between Episode II and III, The Clone Wars is the first computer animated Star Wars film. Anakin and Obi Wan must find out who kidnapped Jabba the Hutt's son and return him safely. The Separatists will try anything to stop them and ruin any chance of a diplomatic agreement between the Hutts and the Republic.
1
A wealthy student with too much fashion sense, her equally rich friends, and her rival/superior from the school paper work together to solve the case when their teacher goes missing.
3
One year after their incredible adventures in the Lion, the Witch and the Wardrobe, Peter, Edmund, Lucy and Susan Pevensie return to Narnia to aid a young prince whose life has been threatened by the evil King Miraz. Now, with the help of a colorful cast of new characters, including Trufflehunter the badger and Nikabrik the dwarf, the Pevensie clan embarks on an incredible quest to ensure that Narnia is returned to its rightful heir.
3
Navy SEAL Shane Wolfe is handed a new assignment: Protect the five Plummer kids from enemies of their recently deceased father -- a government scientist whose top-secret experiment remains hidden in the kids' house.
0
In the glamorous world of New York City, Rebecca Bloomwood is a fun-loving girl who is really good at shopping - a little too good, perhaps. She dreams of working for her favorite fashion magazine, but can't quite get her foot in the door - until ironically, she snags a job as an advice columnist for a financial magazine published by the same company.
2
Bolt is the star of the biggest show in Hollywood. The only problem is, he thinks it's real. After he's accidentally shipped to New York City and separated from Penny, his beloved co-star and owner, Bolt must harness all his "super powers" to find a way home.
1
The Baker brood moves to Chicago after patriarch Tom gets a job coaching football at Northwestern University, forcing his writer wife, Mary, and the couple's 12 children to make a major adjustment. The transition works well until work demands pull the parents away from home, leaving the kids bored -- and increasingly mischievous.
0
A waitress, desperate to fulfill her dreams as a restaurant owner, is set on a journey to turn a frog prince back into a human being, but she has to face the same problem after she kisses him.
-2
Marnie Piper prepares to begin a new school year, she asks the Halloweentown Hot Witches' Council to work toward openness between Halloweentown and the mortal world. She proposes to bring a group of Halloweentown students to her own high school in the mortal world.
3
Two teenage girls discover that mermaids really do exist after a violent storm washes one ashore. The mermaid, a sassy creature named Aquamarine, is determined to prove to her father that real love exists, and enlists the girls' help in winning the heart of a handsome lifeguard.
2
Alex, Justin and Max Russo are not your ordinary kids - they're wizards in training! While their parents run the Waverly Sub Station, the siblings struggle to balance their ordinary lives while learning to master their extraordinary powers.
1
A pampered Beverly Hills chihuahua named Chloe who, while on vacation in Mexico with her owner Viv's niece, Rachel, gets lost and must rely on her friends to help her get back home before she is caught by a dognapper who wants to ransom her.
0
A taxi driver gets more than he bargained for when he picks up two teen runaways. Not only does the pair possess supernatural powers, but they're also trying desperately to escape people who have made them their targets.
-2
American Dragon is a coming of age comedy-action series about Jake Long, a 13-year-old Asian-American boy who strives to find balance in his life as a skateboard-grinding, New York 'tween while learning to master his mystical powers (in his secret identity) as the American Dragon, the protector and guardian of all magical creatures secretly living amidst the human world.
2
Zack and Cody Martin are aboard the SS Tipton, a luxury passenger cruise liner owned by London's father. The ship cruises the world with tourists and students who attend classes at Seven Seas High, the one high school that London's dad thinks will make his daughter a better student. While out at sea, Zack and Cody still have their compass pointed towards mischief, and London learns to live a "fabu-less" lifestyle, including sharing a small room with Bailey, a country girl from Kansas.
1
As Halloweentown prepares to celebrate its 1,000th anniversary, Marnie Piper and her brother Dylan return to Witch University, where trouble is in session from the Sinister Sisters and from someone who's plotting to use Marnie's powers for evil.
-2
Follow the adventures and misadventures of Penny, a 14-year-old African American girl who's doing her best to navigate through the early years of teen-dom. Penny's every encounter inevitably spirals into bigger than life situations filled with hi-jinks, hilarity and heart. Her quest to balance her home, school and social lives are further complicated by friends like the sassy Dijonay, Penny's nemesis LaCienega Boulevardez, her loving, if not over-protective parents and her hip-to-the-groove-granny, Suga Mama.
0
Meet Zack and Cody, 11 year-old identical twins and the newest residents of Boston's swanky Tipton Hotel. Living in a suite with their mom Carey, the boys treat the Tipton like their own personal playground.
2
Mowgli has been living in the man-village with his little stepbrother Ranjan and his best friend Shanti. But the man-cub still has that jungle rhythm in his heart, and he misses his old buddies Baloo and Bagheera. When Mowgli wanders back to the wild for some swingin' fun, he soon finds the man-eating tiger Shere Khan is lurking in the shadows and planning his revenge.
-2
From the earliest versions of the script to the blockbuster debuts, explore the creation of the Star Wars Trilogy.
1
A rogue prince reluctantly joins forces with a mysterious princess and together, they race against dark forces to safeguard an ancient dagger capable of releasing the Sands of Time – gift from the gods that can reverse time and allow its possessor to rule the world.
-3
Wayne and Lanny, now partners, are called by Magee to meet with a secret contact – Mrs. Claus, who sends them on a new mission to retrieve a box from Santa’s secret workshop. Later they sneak into Santa’s office while he is asleep, using their high tech equipment from the previous film. Lanny’s expertise at dressing the tree enables them to enter the hidden workshop where they recover the box and escape just in time. But what is the box for?
0
Allison "Sonny" Munroe makes the leap from the Midwest to Los Angeles to join the cast of "So Random!," the most popular sketch comedy TV show for kids and tweens. Her fellow young actors are resident teen queen Tawni, super suave Nico, gregarious funnyman Grady and quirky Zora. Now Sonny must somehow balance these new friendships while adjusting to her family's decidedly different way of life in Hollywood. Meanwhile, Sonny must also contend with heartthrob Chad Dylan Cooper, star of the rival show "MacKenzie Falls," who makes it known that he thinks his dramatic work is better than her comedy career.
2
Teens PJ and Teddy and tween brother Gabe are typical kids -- that is, until their mother has another baby. The arrival of their new sister completely upends the entire household. When their mother heads back to work after Charlie's birth, it's up to the kids and their dad to keep the home fires burning -- and to keep Charlie out of trouble as she learns to sit up, crawl, walk and run. Teddy, as the older sister, makes a personalized video diary for Charlie, in each episode adding a nugget of wisdom for her baby sibling.
1
When Miley Stewart (aka pop-star Hannah Montana) gets too caught up in the superstar celebrity lifestyle, her dad decides it's time for a total change of scenery. But sweet niblets! Miley must trade in all the glitz and glamour of Hollywood for some ol' blue jeans on the family farm in Tennessee, and question if she can be both Miley Stewart and Hannah Montana.
2
Troy, the popular captain of the basketball team, and Gabriella, the brainy and beautiful member of the academic club, break all the rules of East High society when they secretly audition for the leads in the school's musical. As they reach for the stars and follow their dreams, everyone learns about acceptance, teamwork, and being yourself.
3
James Cameron teams up with NASA scientists to explore the Mid-Ocean Ridge, a submerged chain of mountains that band the Earth and are home to some of the planet's most unique life forms.
0
Steve Martin and Bonnie Hunt return as heads of the Baker family who, while on vacation, find themselves in competition with a rival family of eight children, headed by Eugene Levy,
-1
By the mid-1980s, the fabled animation studios of Walt Disney had fallen on hard times. The artists were polarized between newcomers hungry to innovate and old timers not yet ready to relinquish control. These conditions produced a series of box-office flops and pessimistic forecasts: maybe the best days of animation were over. Maybe the public didn't care. Only a miracle or a magic spell could produce a happy ending. Waking Sleeping Beauty is no fairy tale. It's the true story of how Disney regained its magic with a staggering output of hits - "Little Mermaid," "Beauty and the Beast ," "Aladdin," "The Lion King," and more - over a 10-year period.
5
Greg Heffley is headed for big things, but first he has to survive the scariest, most humiliating experience of any kid’s life – middle school! That won’t be easy, considering he’s surrounded by hairy-freckled morons, wedgie-loving bullies and a moldy slice of cheese with nuclear cooties!
-2
No ordinary teenager; Raven Baxter can see glimpses of the future! Watch her schemes and misadventures as she enlists the help of friends, including best friends Eddie and Chelsea, to change life's little outcomes. Raven's younger brother, Cory, is obsessed with money and creates get-rich-quick schemes to try to earn cash.
1
After capturing Claw, all the criminals have gone into hiding until, Claw escapes! Gadget thinks he will get the case, but everyone else has other planes. A new version of the Gadget project is unveiled in the form of G2. Strict orders are given for Gadget to stay away from G2 and every crime scene, but Gadget feels he is needed more than anyone.
-3
Inspired by the true story of Vince Papale, a man with nothing to lose who ignored the staggering odds and made his dream come true. When the coach of Papale's beloved hometown football team hosted an unprecedented open tryout, the public consensus was that it was a waste of time – no one good enough to play professional football was going to be found this way.
1
Timon the meerkat and Pumbaa the warthog are best pals and the unsung heroes of the African savanna. This prequel to the smash Disney animated adventure takes you back -- way back -- before Simba's adventure began. You'll find out all about Timon and Pumbaa and tag along as they search for the perfect home and attempt to raise a rambunctious lion cub.
2
A team of trained secret agent animals, guinea pigs Darwin, Hurley, Juarez, Blaster, mole Speckles, and fly Mooch takes on a mission for the US government to stop evil Leonard Saber, who plans to destroy the world with household appliances. But the government shuts them down and they are sentenced to a pet shop. Can they escape to defeat the villain and save the world?
-2
Hyperactive teenager Kelly is enrolled into a military school when her new stepfather becomes the Commandant. At first she has problems fitting in and taking orders until she tries out for the drill team.
-1
A drama centered on a rebellious girl who is sent to a Southern beach town for the summer to stay with her father. Through their mutual love of music, the estranged duo learn to reconnect.
-1
A teenager must battle for a gold charm to keep his family from being controlled by an evil leprechaun.
1
Lizzie McGuire is all about the ordinary and not-so-ordinary adventures of a junior high student and her two best friends as they try to deal with the ups and downs of school, popularity, boys, parents, a bratty little brother--just life in general. And if Lizzie leaves anything unsaid, you can bet that her cartoon alter ego will say it for her!
1
A bet pits a British inventor, a Chinese thief and a French artist on a worldwide adventure that they can circle the globe in 80 days.
0
Mother and daughter bicker over everything -- what Anna wears, whom she likes and what she wants to do when she's older. In turn, Anna detests Tess's fiancé. When a magical fortune cookie switches their personalities, they each get a peek at how the other person feels, thinks and lives.
1
In 1985, at the tender age of 13, Mat Hoffman entered into the BMX circuit as an amateur, and by 16 he had risen to the professional level. Throughout his storied career, Hoffman has ignored conventional limitations, instead, focusing his efforts on the purity of the sport and the pursuit of “what’s next.” His motivations stem purely from his own ambitions, and even without endorsements, cameras, fame and fans, Hoffman would still be working to push the boundaries of gravity. Academy Award nominee Spike Jonze and extreme sport fanatic Johnny Knoxville, along with director Jeff Tremaine, will showcase the inner workings and exploits of the man who gave birth to “Big Air.”
1
Skeeter Bronson is a down-on-his-luck guy who's always telling bedtime stories to his niece and nephew. But his life is turned upside down when the fantastical stories he makes up for entertainment inexplicably turn into reality. Can a bewildered Skeeter manage his own unruly fantasies now that the outrageous characters and situations from his mind have morphed into actual people and events?
-3
The world's most highly qualified crew of archaeologists and explorers is led by historian Milo Thatch as they board the incredible 1,000-foot submarine Ulysses and head deep into the mysteries of the sea. The underwater expedition takes an unexpected turn when the team's mission must switch from exploring Atlantis to protecting it.
1
Ramona is a little girl with a very big imagination and a nose for mischief. Her playful antics keep everyone in her loving family on their toes, including her older sister Beezus, who's just trying to survive her first year of high school. Through all the ups and downs of childhood, Ramona and Beezus learn that anything's possible when you believe in yourself and rely on each other.
1
Wolverine and the X-Men must join together again to not only battle the increasingly powerful Mutant Response Division, but also to prevent a catastrophic future that Xavier has warned Wolverine must never come to pass.
-1
Lewis, a brilliant young inventor, is keen on creating a time machine to find his mother, who abandoned him in an orphanage. Things take a turn when he meets Wilbur Robinson and his family.
2
Lizzie McGuire has graduated from middle school and takes a trip to Rome, Italy with her class. And what was supposed to be only a normal trip, becomes a teenager's dream come true.
0
A lab accident gives a hound named Shoeshine some serious superpowers -- a secret that the dog eventually shares with the young boy who becomes his owner and friend.
0
Some have razor sharp teeth that can slice thick layers of muscle, straight to the bone. Others have jaws that can crush your skull with a single snap. And others are equipped with fangs to squirt neurotoxins directly into your veins. It's World's Deadliest.
0
Heather and Heidi play volleyball for their school team, when their family decides that they need to go to a bigger school so that they will have a better chance for scholarships. But at the new school, the twins are discovered by the basketball coach. Inspired by the true story of Heather and Heidi Burge.
1
In the remote and forgotten wilderness of Lake Natron, in northern Tanzania, one of nature's last great mysteries unfolds: the birth, life and death of a million crimson-winged flamingos.
-1
The Super Hero Squad Show is an American cartoon series by Marvel Animation. It is based on the Marvel Super Hero Squad action figure line from Hasbro, which portray the Avengers, the X-Men, and various other characters of the Marvel Universe in a cartoonish super-deformed-style. It is also a self-aware parody of the Marvel characters, with influences taken from on the comedic Mini Marvels series of parody comic books, in that the heroes tend to find themselves in comedic situations, and have cartoonish bents in comparison to their usually serious personalities, and is an overall comedic take on the Avengers. The series' animation was produced by Film Roman and Marvel Animation.
6
Katelin Kingsford, an Olympic hopeful figure skater wants to train with a Russian figure skating coach. In order to go to go to the school that Natasha is at, Katelin gets a scholarship playing on the girls hockey team.
1
A look at the first years of Pixar Animation Studios - from the success of "Toy Story" and Pixar's promotion of talented people, to the building of its East Bay campus, the company's relationship with Disney, and its remarkable initial string of eight hits. The contributions of John Lasseter, Ed Catmull and Steve Jobs are profiled. The decline of two-dimensional animation is chronicled as three-dimensional animation rises. Hard work and creativity seem to share the screen in equal proportions.
3
Twins separated at birth, Camryn and Alex meet by chance for the first time on their 21st birthday and discover they're witches with the power to save their homeland of Coventry from the evil that threatens it. But when Camryn leaves Alex to face the darkness alone, will Coventry be doomed? Or will the sisters multiply their magic by standing together?
-2
It's almost graduation day for high school seniors Troy, Gabriella, Sharpay, Chad, Ryan and Taylor — and the thought of heading off in separate directions after leaving East High has these Wildcats thinking they need to do something they'll remember forever. Together with the rest of the Wildcats, they stage a spring musical reflecting their hopes and fears about the future and their unforgettable experiences growing up together. Will their final show break them apart or bring them together for the greatest moment in Wildcat history?
0
Best friends Tod, a fox kit, and Copper, a hound puppy, visit a country fair when they see a band of dogs called "The Singin' Strays". The band has five members: Dixie, Cash, Granny Rose, and twin brothers Waylon and Floyd. It is important that they perform well because a talent scout is visiting.
5
On August 9, 1988, the NHL was forever changed with the single stroke of a pen. The Edmonton Oilers, fresh off their fourth Stanley Cup victory in five years, signed a deal that sent Wayne Gretzky, a Canadian national treasure and the greatest hockey player ever to play the game, to the Los Angeles Kings in a multi-player, multi-million dollar deal. As bewildered Oiler fans struggled to make sense of the unthinkable, fans in Los Angeles were rushing to purchase season tickets at a rate so fast it overwhelmed the Kings box office. Overnight, a franchise largely overlooked in its 21-year existence was suddenly playing to sellout crowds and standing ovations, and a league often relegated to “little brother” status exploded from 21 teams to 30 in less than a decade.
2
Shot from land and air, in trees and cliff-blinds, on ice floes and underwater, this documentary tells the powerful stories of many of the planet's species and their movements, while revealing new scientific insights with breathtaking high-definition clarity and emotional impact. The beauty of these stories is underscored by a new focus into these species; fragile existence and their life-and-death quest for survival in an ever-changing world.
4
Lilo & Stitch: The Series is the animated television spinoff of the feature film, Lilo & Stitch and the follow-up to Stitch! The Movie. It was aired on Disney Channel worldwide, but has only been released on DVD in Japan, in four box sets.
0
Short film to a song of love lost and rediscovered, a woman sees and undergoes surreal transformations. Her lover's face melts off, she dons a dress from the shadow of a bell and becomes a dandelion, ants crawl out of a hand and become Frenchmen riding bicycles. Not to mention the turtles with faces on their backs that collide to form a ballerina, or the bizarre baseball game.
1
Fa Mulan gets the surprise of her young life when her love, Captain Li Shang asks for her hand in marriage. Before the two can have their happily ever after, the Emperor assigns them a secret mission, to escort three princesses to Chang'an, China. Mushu is determined to drive a wedge between the couple after he learns that he will lose his guardian job if Mulan marries into the Li family.
0
Best pals CeCe and Rocky dream of dancing stardom. And they seem on the verge of realizing that goal when they win places as backup dancers on the local TV show "Shake It Up, Chicago." While they get to show off their moves, they find out they need to keep putting their best feet forward to keep up with the rest of the crew on the show.
1
When the sky really is falling and sanity has flown the coop, who will rise to save the day? Together with his hysterical band of misfit friends, Chicken Little must hatch a plan to save the planet from alien invasion and prove that the world's biggest hero is a little chicken.
-2
Journey into the secret world of Pixie Hollow and hear Tinker Bell speak for the very first time as the astonishing story of Disney's most famous fairy is finally revealed in the all-new motion picture "Tinker Bell."
1
When the night of October 16, 2004 came to a merciful end, the Curse of the Bambino was alive and well. The vaunted Yankee lineup, led by A-Rod, Jeter, and Sheffield, had just extended their ALCS lead to three games to none, pounding out 19 runs against their hated rivals. The next night, in Game 4, the Yankees took a 4-3 lead into the bottom of the ninth inning, then turned the game over to Mariano Rivera, the best relief pitcher in postseason history, to secure yet another trip to the World Series. But after a walk and a hard-fought stolen base, the cold October winds of change began to blow. Over four consecutive days and nights, this unlikely group of Red Sox miraculously won four straight games to overcome the inevitability of their destiny. Major League Baseball Productions will produce a film in "real-time" that takes an in-depth look at the 96 hours that brought salvation to Red Sox Nation and made baseball history in the process.
4
Handy Manny is a Disney animated children's television program that premiered on September 16, 2006.
1
Join the Mars rovers Spirit and Opportunity for an awe-inspiring journey to the surface of the mysterious red planet.
-2
When an overachieving high school student decides to travel around the country to choose the perfect college, her overprotective cop father also decides to accompany her in order to keep her on the straight and narrow.
1
Imagination Movers is a Live-action Pre-school television series that premiered on September 6, 2008 on Disney Channel. The program was originally part of the Playhouse Disney daily block intended for preschoolers. On February 14, 2011, it was moved to the Disney Junior block, serving as Playhouse Disney's replacement.

The Imagination Movers TV series is based on the format and music of the New Orleans based music group Imagination Movers who both act and are co-executive-producers of the show.

On May 30, 2011, it was announced that the series will end after the remaining episodes of the third season have aired, though the band itself will continue and is open to doing other projects.

On November 28, 2011 the Movers ran an announcement on official Facebook page implying that they have been given the green light to air more new episodes of the show in 2012.
0
A mischievous 14-year-old boy and his irresponsible uncle almost ruin Christmas when they decide to take Santa's new high-tech sleigh for a joyride.
-3
An adolescent lion is accidentally shipped from the New York Zoo to Africa. Now running free, his zoo pals must put aside their differences to help bring him back.
1
Set in 1944, Valiant is a woodland pigeon who wants to become a great hero someday. When he hears they are hiring recruits for the Royal Homing Pigeon Service, he immediately sets out for London. On the way, he meets a smelly but friendly pigeon named Bugsy, who joins him, mainly to get away from clients he cheated in a game of find-the pebble, and helps him sign up for the war.
2
Santa Claus, Mickey Mouse and all his Disney pals star in an original movie about the importance of opening your heart to the true spirit of Christmas. Stubborn old Donald tries in vain to resist the joys of the season, and Mickey and Pluto learn a great lesson about the power of friendship.
0
When Gonzo forgets to mail three letters to Santa, he convinces Kermit and the gang to help him deliver the notes to the North Pole. Along the way, they discover that Christmas is the time to be with those you care about most, as they dash home to make a friends Christmas wish come true.
0
When her nation is invaded, a young princess is taken into the Princess Protection Program. She is relocated to Louisiana, where she stays with a covert agent and his tomboyish daughter, and must learn how to behave like an ordinary teenager.
2
A successful professional baseball player gets his ego in check via an unreality check when he travels back in time to his boyhood sandlot ball-playing days.
1
The Stevens think that they've won an all-expenses-paid trip to an island that's halfway around the world. When their house is destroyed, their food stolen, and their bacon eaten, the Stevens family breaks apart in front of all their friends on live national television, while the island itself is only a short distance away from Sacramento!
-1
Now, we find the rowdy extraterrestrial getting used to life with his new ʻohana. However, a malfunction in the ultimate creation of Dr. Jumba soon emerges, which reinstates his destructive programming and threatens to both ruin his friendship with Lilo and to short him out for good!
-1
A girl, abandoned by her mother when she was three, moves to a small town in Florida with her father. There, she adopts an orphaned dog she names Winn-Dixie. The bond between the girl and her special companion brings together the people in a small Florida town and heals her own troubled relationship with her father.
-1
By the mid-1980s Paul Westhead had worn out his welcome in the NBA. The best offer he could find came from an obscure small college with little history of basketball. In the same city where he had won an NBA championship with Magic and Kareem, Westhead was determined to perfect his non-stop run-and-gun offensive system at Loyola Marymount. His shoot-first offense appeared doomed to fail until Hank Gathers and Bo Kimble, two talented players from Westhead’s hometown of Philadelphia, arrived gift-wrapped at his doorstep. With Gathers and Kimble leading a record scoring charge, Westhead’s system suddenly dazzled the world of college basketball and turned conventional thinking on its head. But then, early in the 1989-90 season, Gathers collapsed during a game and was diagnosed with an abnormal heartbeat. Determined to play, Gathers returned three games later, but less than three months later, he tragically died on the court.
0
A young wizard accidentally conjures a spell that puts her family in jeopardy.
-1
As a newly crowned princess, Cinderella quickly learns that life at the Palace - and her royal responsibilities - are more challenging than she had imagined. In three heartwarming tales, Cinderella calls on her animal friends and her Fairy Godmother to help as she brings her own grace and charm to her regal role and discovers that being true to yourself is the best way to make your dreams come true.
4
The East High Wildcats are gearing up for big fun as they land the coolest summer jobs imaginable. Troy, Gabriella, Chad, and Taylor have scored sweet gigs at the Lava Springs Country Club owned by Sharpay and Ryan's family. Sharpay's first rule of business: Get Troy. As Troy experiences a life of privilege he's never known, will he give up the Wildcats and Gabriella to rise to the top?
5
Pop star Christopher Wilde has fame, fortune and a big-budget Hollywood movie awaiting him. But after meeting Jessica Olson, a down-to-earth girl from the Midwest, he is faced with following his heart or doing what's best for his career.
3
Jim Morris never made it out of the minor leagues before a shoulder injury ended his pitching career twelve years ago. Now a married-with-children high-school chemistry teacher and baseball coach in Texas, Jim's team makes a deal with him: if they win the district championship, Jim will try out with a major-league organization. The bet proves incentive enough for the team, and they go from worst to first, making it to state for the first time in the history of the school. Jim, forced to live up to his end of the deal, is nearly laughed off the try-out field--until he gets onto the mound, where he confounds the scouts (and himself) by clocking successive 98 mph fastballs, good enough for a minor-league contract with the Tampa Bay Devil Rays. Jim's still got a lot of pitches to throw before he makes it to The Show, but with his big-league dreams revived, there's no telling where he could go.
1
In order to learn how to be responsible, two wealthy teen sisters are forced to work in the family business by their exasperated father. When company funds goes missing, it's up to the girls to save the day.
1
The troubled fraternal relationship between songwriters Robert B. Sherman and Richard M. Sherman, the Oscar and Grammy-winning Sherman Brothers, famous for the iconic hits they wrote for Disney.
0
When Mitchie gets a chance to attend Camp Rock, her life takes an unpredictable twist, and she learns just how important it is to be true to yourself.
-1
When an impulsive boy named Kenai is magically transformed into a bear, he must literally walk in another's footsteps until he learns some valuable life lessons. His courageous and often zany journey introduces him to a forest full of wildlife, including the lovable bear cub Koda, hilarious moose Rutt and Tuke, woolly mammoths and rambunctious rams.
3
During a summer stay on the mainland, Tinker Bell is accidentally discovered while investigating a little girl's fairy house. As the other fairies, led by the brash Vidia, launch a daring rescue in the middle of a fierce storm, Tink develops a special bond with the lonely, little girl.
-1
When schoolboy  Wang Bao discovers a magical gourd that can instantly grant his every wish, the awkward child suddenly becomes a hero amongst his curious classmates. When the gourd proves more of a burden than a blessing and the boy decides to get rid of it, he quickly discovers that's easier said than done.
3
From the Disney World Cinema Collection, Trail of the Panda is a heart-warming story about enduring friendship between a boy and a panda cub.
0
When a greedy outlaw schemes to take possession of the "Patch Of Heaven" dairy farm, three determined cows, a karate-kicking stallion and a colorful corral of critters join forces to save their home. The stakes are sky-high as this unlikely animal alliance risk their hides and match wits with a mysterious band of bad guys.
-4
A blue harvest moon will rise, allowing the fairies to use a precious moonstone to restore the Pixie Dust Tree, the source of all their magic. But when Tinker Bell accidentally puts all of Pixie Hollow in jeopardy, she must venture out across the sea on a secret quest to set things right.
0
Bachelor football star Joe Kingman seems to have it all. He is wealthy and carefree, and his team is on the way to capturing a championship. Suddenly, he is tackled by some unexpected news: He has a young daughter, the result of a last fling with his ex-wife. Joe must learn to balance his personal and professional lives with the needs of his child.
1
Maggie Peyton, the new owner of Number 53 - the free-wheelin' Volkswagen bug with a mind of its own - puts the car through its paces on the road to becoming a NASCAR competitor.
-1
With the help of her coach, her mom, and the boy who drives the Zamboni machine, nothing can stop Casey from realizing her dream to be a champion figure skater.
1
Kenai finds his childhood human friend Nita and the two embark on a journey to burn the amulet he gave to her before he was a bear, much to Koda's dismay.
-2
In the Antarctic, after an expedition with Dr. Davis McClaren, the sled dog trainer Jerry Shepherd has to leave the polar base with his colleagues due to the proximity of a heavy snow storm. He ties his dogs to be rescued after, but the mission is called-off and the dogs are left alone at their own fortune. For six months, Jerry tries to find a sponsor for a rescue mission.
1
Meet the Diffy family, a futuristic family from the year 2121. When the eccentric dad, Lloyd, rents a time machine for their family vacation, everyone is excited. But then something goes wrong. Their time machine malfunctions and they are thrown out of the space/time continuum in the year 2004.
0
George and Ursula now have a son, George Junior, so Ursula's mother arrives to try and take them back to "civilization".
0
Dylan Sprouse, Jim Belushi and Kris Kristofferson lend their voices to this family-friendly tale about a feisty pack of golden retriever puppies that embarks on an Alaskan adventure. When they find themselves stranded in the northern wilderness, the canine offspring of famed sports star Air Bud team up with an experienced sled dog and a husky pup, who teach them the importance of working together.
3
When the gang from the Hundred Acre Wood begin a honey harvest, young Piglet is excluded and told that he is too small to help. Feeling inferior, Piglet disappears and his pals Eeyore, Rabbit, Tigger, Roo and Winnie the Pooh must use Piglet's scrapbook as a map to find him. In the process they discover that this very small animal has been a big hero in a lot of ways.
0
When Puppy Paws, the fun-loving son of Santa Paws, gets bored, he finds Budderball on Santa's naughty list and figures he's just the dog to show him how to be an ordinary pup. When the magical Christmas Icicle starts to melt however, and the world begins to forget the true meaning of the season, it's up to Puppy Paws and his newfound Buddies to journey back to the North Pole and save Christmas.
-1
Max Keeble, the victim of his 7th grade class, plots revenge when he learns he's moving; it backfires when he doesn't move after all.
-2
Pop sensations Alvin, Simon and Theodore end up in the care of Dave Seville's twenty-something nephew Toby. The boys must put aside music super stardom to return to school, and are tasked with saving the school's music program by winning the $25,000 prize in a battle of the bands. But the Chipmunks unexpectedly meet their match in three singing chipmunks known as The Chipettes - Brittany, Eleanor and Jeanette. Romantic and musical sparks are ignited when the Chipmunks and Chipettes square off.
4
Kronk, now chef and Head Delivery Boy of Mudka's Meat Hut, is fretting over the upcoming visit of his father. Kronk's father always disapproved of young Kronk's culinary interests and wished that Kronk instead would settle down with a wife and a large house on a hill.
0
Dug is sent on foolish missions by Alpha, Beta, and Gamma so they can hunt for the Bird of Paradise Falls by themselves. Dug may find that where he belongs is not where he's been looking.
-1
Disney Channel's production of Julie Sherman Wolfe's screenplay adaptation of the popular novel Avalon High by Meg Cabot. Elaine "Ellie" Harrison has just moved from Minnesota to Annapolis, Maryland while her parents take a year long sabbatical to continue their medieval studies in nearby DC. Her new high school, Avalon High, seems like a typical high school with the stereotypical students: Lance the jock, Jennifer the cheerleader, Marco, the bad boy/desperado, and Will, the senior class president, quarterback, and all around good guy. But not everyone at Avalon High is who they appear to be, not even Ellie herself. Eventually, it becomes apparent that Avalon High is a situation where the ancient Arthurian legend is repeating itself. Will, Jennifer, Lance, Marco, and Mr. Morton all correspond to King Arthur, Queen Guinevere, Knight Lancelot, Mordred, and Merlin, respectively.
1
When an overconfident teen alien gets behind the controls of a spaceship, he must attempt to abduct a slumbering farmer under the watchful eye of a critical instructor. But abducting humans requires precision and a gentle touch, and within a few missteps it's painfully clear why more humans don't go missing every year.
0
It's Christmastime in the Hundred Acre Wood and all of the gang is getting ready with presents and decorations. The gang makes a list of what they want for Christmas and send it to Santa Claus - except that Pooh forgot to ask for something. So he heads out to retrieve the letter and get it to Santa by Christmas...which happens to be tomorrow!
1
Who or what exactly is a Heffalump? The lovable residents of the Hundred Acre Wood -- Winnie the Pooh, Rabbit, Tigger, Eeyore, Kanga and the rest of the pack -- embark on a journey of discovery in search of the elusive Heffalump. But as is always the case, this unusual road trip opens their eyes to so much more than just the creature they're seeking.
0
Milo and Kida reunite with their friends to investigate strange occurances around the world that seem to have links to the secrets of Atlantis.
-1
Dr. Drakken has an evil new plot for world domination, but his ultimate success depends upon finding out KP's weakness which may involve a new hottie at Middleton High School named Eric, who suddenly sparks feelings in Ron about Kim that resemble much more than friendship. To make matters worse, Bueno Nacho, Ron's favorite fast food chain has turned sour on him by bombarding him with little Devils
-3
What lengths will a robot undergo to do his job? BURN·E is a dedicated hard working robot who finds himself locked out of his ship. BURN·E quickly learns that completing a simple task can often be a very difficult endeavor.
-1
When Day, a sunny fellow, encounters Night, a stranger of distinctly darker moods, sparks fly! Day and Night are frightened and suspicious of each other at first, and quickly get off on the wrong foot. But as they discover each other's unique qualities--and come to realize that each of them offers a different window onto the same world-the friendship helps both to gain a new perspective.
-3
Mater the tow truck travels from country to country as he retells his infamous but unbelievable stories.
-2
Spring has sprung, and baby Roo is excited to get out and explore and make new friends. But Rabbit seems preoccupied with spring cleaning, instead of embracing his usual role of playing Easter Bunny. Leave it to Roo to show Rabbit -- through love -- that it's more important who you love and not who's in charge.
4
Reunited witch twins Camryn and Alex adjust to their new life as supernatural beings while at the same time trying to maintain a normal existence in this sequel to the magical Disney Channel original movie Twitches. But they soon find themselves going head to head with the forces of darkness that threaten to destroy their world. Luckily, their birth mother, the powerful Miranda, is on hand to help out.
-1
Mister Fantastic, the Invisible Woman, the Human Torch, and Thing battle some of their greatest foes, including Doctor Doom, Ronan the Accuser, the Multiple Man, and Mole Man.
-1
Dignity. Poise. Mystery. We expect nothing less from the great turn-of-the-century magician, Presto. But when Presto neglects to feed his rabbit one too many times, the magician finds he isn't the only one with a few tricks up his sleeve!
0
Lola is an ambitious teenager who aspires to be a famous stage actress, but ger dream of performing on Broadway suffers a setback when her family moves from New York City to suburban New Jersey. Determined to make the best of it, however, Lola embarks on a mission to become the most popular girl at her high school, a goal that sets her on a collision course with the catty Carla Santini.
2
Teenager Winnie Foster is growing up in a small rural town in 1914 with her loving but overprotective parents, but Winnie longs for a life of greater freedom and adventure.
2
Special Agent Oso is a Disney Channel interactive animated series created by Ford Riley. Special Agent Oso hit the air on April 4, 2009 with a six episode block, and the companion 15-episode series Three Healthy Steps first aired from February 14 to February 27, 2011. The program was originally part of the Playhouse Disney block intended for preschoolers. On February 14, 2011, it was moved to the Disney Junior block that served as Playhouse Disney's replacement. It is shown on Mini CITV and ITV1 at 06:35am Sundays. The show will stay on Disney Junior because it is one of the main shows shown on Playhouse Disney.
1
Two orphans, Riley and little brother Todd, answer an ad for Fleemco Replacement People and order new parents, a spy mother and daredevil father. As Riley and Todd go on adventures (or misadventures as it were), they team up with Conrad Fleem to replace any adult in their lives that they don't like, but they don't get to choose the replacements and sometimes their good intentions don't work out as they planned
2
Story revolves around a young boxer, Izzy Daniels, who trains to follow in his father's footsteps by winning the Golden Glove. When his friend, Mary, however, asks him to substitute for a team member in a Double Dutch tournament, the young man discovers a hidden passion for jump roping
3
In Disney's take on the Alexander Dumas tale, Mickey Mouse, Donald Duck and Goofy want nothing more than to perform brave deeds on behalf of their queen (Minnie Mouse), but they're stymied by the head Musketeer, Pete. Pete secretly wants to get rid of the queen, so he appoints Mickey and his bumbling friends as guardians to Minnie, thinking such a maneuver will ensure his scheme's success. The score features songs based on familiar classical melodies.
0
Zeke and Luther want nothing more in the world than to become world-famous skateboarders. Together with their friends, skating rivals, and family, Zeke & Luther find themselves always busy getting into mischief.
-1
Return to the forest and join Bambi as he reunites with his father, The Great Prince, who must now raise the young fawn on his own. But in the adventure of a lifetime, the proud parent discovers there is much he can learn from his spirited young son.
3
It's the most exciting time of year at Third Street Elementary-- the end of the School Year! But boredom quickly sets in for protagonist TJ Detweiler, as his friends are headed for Summer Camp. One day, while passing by the school on his bike, he notices a green glow coming from the school's auditorium. This is the work of the insidious ex-principal of Third Street, Phillium Benedict and his gang of ninjas and secret service look-alikes! Benedict is planning to get rid of Summer Vacation using his newly-acquired Tractor Beam, which he stole from the US Military Base in an effort to raise US Test Scores, and it's up to the Recess Gang to stop him!
0
The continuing adventures of Lilo, a little Hawaiian girl, and Stitch, the galaxy's most-wanted extraterrestrial. Stitch, Pleakley, and Dr. Jumba are all part of the household now, but what Lilo and Stitch don't know is that Dr. Jumba brought his other alien "experiments" to Hawaiʻi as well.
1
When a Miami dentist inherits a team of sled dogs, he's got to learn the trade or lose his pack to a crusty mountain man.
-1
An animated short based on Hans Christian Andersen's tale about a poor young girl with a burning desire to find comfort and happiness in her life. Desperate to keep warm, the girl lights the matches she sells, and envisions a very different life for herself in the fiery flames filled with images of loving relatives, bountiful food, and a place to call home.
3
Clarence Buttowski, a young boy, aspires to become the world's greatest daredevil, as he gets help from Gunther, his loyal friend and partner-in-crime.
2
Lilo, Stitch, Jumba, and Pleakley have finally caught all of Jumba's genetic experiments and found the one true place where each of them belongs. Stitch, Jumba and Pleakley are offered positions in the Galactic Alliance, turning them down so they can stay on Earth with Lilo, but Lilo realizes her alien friends have places where they belong – and it's finally time to say "aloha".
0
In 1940, the world is besieged by World War II. Wendy, all grown up, has two children; including Jane, who does not believe Wendy's stories about Peter Pan.
-1
It's about Kuzco, a self-centered and spoiled teen who must survive the trials of Incan public school and pass all of his classes so that he can officially become Emperor. His friend Malina keeps his attitude in check, while the evil Yzma (cleverly disguised as Principal Amzy) and her dim-witted sidekick Kronk are out to make sure Kuzco fails.
-2
When one of his missteps puts his family in jeopardy, Tarzan decides they would be better off without him.
0
Mike discovers that being the top-ranking laugh collector at Monsters, Inc. has its benefits – in particular, earning enough money to buy a six-wheel-drive car that's loaded with gadgets. That new-car smell doesn't last long enough, however, as Sulley jump-starts an ill-fated road test that teaches Mike the true meaning of buyer's remorse.
-1
With the first anniversary of her wedding to Tarzan beckoning, Jane ponders how to make it the perfect English celebration.
3
A four-member teen girl group named the Cheetah Girls go to a Manhattan High School for the Performing Arts and try to become the first freshmen to win the talent show in the school's history. During the talent show auditions, they meet a big-time producer named Jackal Johnson, who tries to make the group into superstars, but the girls run into many problems.
2
Brittany Aarons  is one of the many girls who has a crush on popular singer and boy-toy Jordan Cahill. However, she is bored of living a suburban existence and seeks a little something more.
-1
The year was 1941, and the world was on the brink of war. In an effort to improve relations between the Americas, the Roosevelt administration called upon one of Hollywood’s most influential filmmakers to embark on a special goodwill tour. Written and directed by Theodore Thomas (“Frank and Ollie”) and produced by Kuniko Okubo, the documentary WALT & EL GRUPO chronicles the amazing ten-week trip that Walt Disney and his hand-picked group of artists and filmmaking talent (later known as “El Grupo”) took to South America at the behest of the U.S. Government as part of the Good Neighbor Policy.
6
Fifteen young sailors... six months of intense training... one chance at the brass ring. This documentary tells the story of a group of intrepid and determined young men and women, on the cusp of adulthood, as they embark on life's first great adventure. Racing a high-performance 52-foot sloop the crew of "Morning Light" matches wits and skills in a dramatic 2300 mile showdown.
0
When Lady Tremaine steals the Fairy Godmother's wand and changes history, it's up to Cinderella to restore the timeline and reclaim her prince.
0
Now that Frollo is gone, Quasimodo rings the bell with the help of his new friend and Esmeralda's and Phoebus' little son, Zephyr. But when Quasi stops by a traveling circus owned by evil magician Sarousch, he falls for Madellaine, Sarouch's assistant.
-2
Calvin and his friends, who all live in an orphanage, find old shoes with the faded letters MJ connected to a powerline. One stormy night, they go to get the shoes when Calvin and the shoes are struck by lightning. Calvin now has unbelievable basketball powers and has the chance to play for the NBA.
-3
Brady and Boomer, 16-year-old fraternal twins, are typical teens being raised by relatives  in Chicago.  But when the Royal Secretary to the Throne of the Island of Kinkou, arrives to inform the boys of their lineage, their lives change drastically.  Now, Brady and Boomer must relocate and claim the throne as joint Kings of the island.
-1
Best friends Galleria, Chanel, Dorinda, and Aqua, A.K.A. the girl band "The Cheetahs," get the opportunity of a lifetime when they strut their way to Barcelona, Spain, to perform in an international music festival. Along the way, the "amigas Cheetahs" learn that, although their paths are not the same, they are lucky to have one another for the journey.
1
On its last leg homeward, from Pearl Harbour (Hawaii) to San Diego, the USS Constellation hosts a jolly 'tiger cruise' for USNavy, Marines and USNAF relatives, mainly minors ('Navy brats'). Attitudes and emotions vary from simple joy to open frustration, the worst brat being XO commander Gary Dolan's daughter Maddie, who wants him to refuse a promotion to command for a shore job. Then the news of the WCC terror crisis changes everything, as the crew is recalled to war footing.
-5
Amidst an old London clock shop, a small, quirky mantle clock comes to the aide of the store's more expensive clocks when a thief breaks in and threatens to steal them away.
-3
SACRED PLANET is a journey away from the hectic "world" we live in. Through stunning cinematography, it transports you to some of the most fascinating, exotic, and remote sites on Earth, giving you new insights into her diverse landscapes, peoples, and animals. You'll be mesmerized by the beauty of these all-but-forgotten faraway places, the majesty of the creatures who live there, and the wisdom of the elders who hold the knowledge of the past. This magical around-the-world odyssey is an awe-inspiring wonder the entire family will enjoy.
8
Mater, the rusty but trusty tow truck from Cars, spends a day in Radiator Springs playing scary pranks on his fellow townsfolk. That night at Flo's V8 Café, the Sheriff tells the story of the legend of the Ghostlight, and as everyone races home Mater is left alone primed for a good old-fashioned scare.
-1
In this concert film, 'Hannah Montana' star Miley Cyrus performs a slew of hit songs, including 'Just Like You' and 'Life's What You Make It.'
1
The Parrs' baby Jack-Jack is thought to be normal, not having any super-powers like his parents or siblings. But when an outsider is hired to watch him, Jack-Jack shows his true potential.
0
Stan Lee's Superhumans is a television series that debuted August 5, 2010 on History. It is hosted by comic book superhero creator Stan Lee and follows contortionist Daniel Browning Smith, "the most flexible man in the world", as he searches the globe for real-life superhumans – people with extraordinary physical or mental abilities. Many of the segments are fraudulenty manipulated and these appear side by side with other segments that are valid. For example, one segment shows a person applying an electric drill to their body[ after it is used to drill a hole in wood], except the direction of rotation of the drill is fraudulently reversed in the process.
2
Through unprecedented access we showcase the spectacle that is Wild Russia. From east to west, via mountains, volcanoes, deserts, lakes and Arctic ice, this breathtaking six-part series uses stunning cinematography to chart the dazzling natural wonders of this vast country.
2
Being one of 101 takes its toll on Patch, who doesn't feel unique. When he's accidentally left behind on moving day, he meets his idol, Thunderbolt, who enlists him on a publicity campaign.
0
Lady and Tramp's mischievous pup, Scamp, gets fed up with rules and restrictions imposed on him by life in a family, and longs for a wild and free lifestyle. He runs away from home and into the streets where he joins a pack of stray dogs known as the "Junkyard Dogs." Buster, the pack's leader, takes an instant disliking to the "house-dog" and considers him a rival. Angel, a junkyard pup Scamp's age, longs for the safety and comfort of life in a family and the two become instant companions. Will Scamp choose the wild and free life of a stray or the unconditional love of his family?
-3
Pooh, Tigger, and friends from the Hundred Acre Wood welcome new neighbors — an adorable six-year-old girl named Darby and her puppy, Buster. With the help of adventurous super sleuths Tigger and Pooh, every episode revolves around the solving of a mystery and an interactive curriculum that encourages viewers to help them out.
3
Higglytown Heroes is a children's television series currently airing on the Disney Junior portion of the Disney Channel, or, on some cable networks, the Playhouse Disney channel. The theme song of the show, Here in Higglytown, is performed by They Might Be Giants. Higglytown Heroes returned to Disney Junior on its cable and satellite channel replacing SOAPnet on March 23, 2012.
2
Mitchie can't wait to go back to Camp Rock and spend the summer making new music with her friends and superstar Shane Gray. But the slick new camp across the lake, Camp Star, has drummed up some serious competition – featuring newcomers Luke and Dana. In a sensational battle of the bands, with Camp Rock's future at stake, will Camp Star's flashy production and over-the-top antics win out, or will Camp Rockers prove that music, teamwork, and spirit are what truly matter?
4
It is the story of an average, popular American teenager named Wendy Wu who discovers that in order to win the coveted crown she must first learn the way of the warrior. Wendy Wu has a one track mind, and that track leads directly to the title of homecoming queen -- no unscheduled stops, and no unnecessary detours. When a mysterious Chinese monk named Shen arrives to mold Wendy into a fearless kung fu warrior, however, her royal aspirations suddenly jump the track as she desperately attempts to juggle her boyfriend, her homework, and of course, the fierce competition to become homecoming queen. Now, as Wendy begins to train her mind, body, and spirit in the ancient tradition of the martial arts and her inner warrior gradually begins to emerge, the girl who once obsessed over popularity finally begins to put that popularity into perspective as she gradually realizes what truly matters in life.
1
Another young boy with 'hoop dreams' finds an old pair of Michael Jordan's sneakers and can suddenly play ball like the greatest player in the world.
2
Everyone knows that the stork delivers babies, but where do the storks get the babies from? The answer lies up in the stratosphere, where cloud people sculpt babies from clouds and bring them to life. Gus, a lonely and insecure grey cloud, is a master at creating "dangerous" babies. Crocodiles, porcupines, rams and more - Gus's beloved creations are works of art, but more than a handful for his loyal delivery stork partner, Peck. As Gus's creations become more and more rambunctious, Peck's job gets harder and harder. How will Peck manage to handle both his hazardous cargo and his friend's fiery temperament?
-3
This inventive animated comedy series, set inside a giant fish tank in Bud's Pet Shop, presents high school life as seen through the eyes of three BFFs (best fish friends), Bea, Milo and Oscar. Together they experience the typical life challenges and triumphs, including friendship, dating and sports, along with more atypical situations such as giant lobster attacks and, with the use of special land suits, school field trips to the hamster cages. The series was created by children's book illustrator Noah Z. Jones and features a notable voice cast. It's produced using an innovative mixture of digital animation and photo collage
2
Chanel, Dorinda, and Aqua, are off to India to star in a Bollywood movie. But when there they discover that they will have to compete against each other to get the role in the movie. Will the Cheetah's break up again?
-1
Have you ever wanted to see Jack Black interviewed by cartoon characters? Now's your chance. Step brothers Phineas Flynn and Ferb Fletcher have an animated talk show set complete with a desk, chairs and skyline backdrop. Each episode, a celebrity (in live-action form) takes a seat on the cartoon set and answers questions posed by the titular pair.
0
Let's face it, rats are not the most beloved creatures on earth. However, maybe this little tale about the history of human and rat interaction will change the world's tune. At least that is the hope of Remy, the star of Ratatouille, and his reluctant brother Emile as they guide us through world history from a rat's perspective. Why can't we all just get along?
0
B-Dawg, Mudbud, Budderball, and all the rest of the Buddies are back, but this time, they're setting their sights even higher -- as in, the moon! With the help of their new pals Spudnick (voiced by Jason Earles) and Gravity, these pooches are go for launch. But to pull off their moon landing and make it home safely, our canine heroes will have to summon all their bravery and imagination...
3
On a high mountain plain lives a lamb with wool of such remarkable sheen that he breaks into high-steppin' dance. But there comes a day when he loses his lustrous coat and, along with it, his pride. It takes a wise jackalope - a horn-adorned rabbit - to teach the moping lamb that wooly or not, it's what's inside that'll help him rebound from life's troubles.
1
When three high-school friends invent a time-machine, they decide to use it to go back in time and prevent other youngsters from making humiliating mistakes.
-2
George & A.J. is a short film created by Pixar which uses characters from the film Up to tell what Nurses George and A.J. did after Carl Fredricksen left with his house tied to balloons in the feature film.
0
When courageous young Neera becomes separated from her family in the desert, she chances upon a wild colt. Together they find friendship, trust, and their way back home only to discover her family is about to lose everything!
-1
As a professional monster truck wrestler, Mater must work his way up through the ranks from an amateur tow truck to World Champion Monster Truck Wrestler. But rival wrestlers I-Screamer, Captain Collision, and The Rasta Carian aren't about to give up without a fight.
-1
With one coin to make a wish at the piazza fountain, a peasant girl encounters two competing street performers who'd prefer the coin find its way into their tip jars. The little girl, Tippy, is caught in the middle as a musical duel ensues between the one-man-bands.
1
Lisa Dolittle sends her daughter to 'Durango', a Dude Ranch, to find herself. While there, she uses her talent to talk to the animals in order to save Durango from being taken over by a neighboring Ranch.
1
A routine tow lands Mater in Tokyo, where he is challenged to a drift-style race against a nefarious gang leader and his posse of ninjas. With the help of his friend, 'Dragon' Lightning McQueen, and some special modifications, Mater attempts to drift to victory and become Tow-ke-O Mater, King of all Drifters.
0
In the tradition of disney's classic holiday tales comes a heartwarming movie about the power of giving and the true meaning of christmas. Discover how the legendary friendship of Santa Claus and Santa Paws began in the inspiring original film, The Search For Santa Paws. When Santa and his new best friend, Paws, discover that the boys and girls of the world have lost the spirit of the season, they take a trip to New York City. But after Santa loses his memory, it's up to Paws, a faithful orphan named Quinn, her new friend Will, and a wonderful group of magical talking dogs to save St. Nick and show the world what Christmas is really all about.
5
Alex Pearson has a lot to learn about teamwork. As the star of the Lemon Oaks hockey team, Alex almost always has his way on and off the ice. That ism until he pulls a stunt so outrageous not even his own coach can give him a pass. His punishment? Suspension from the team, a never-ending list of chores and a job watching his little sister Emily after school.
-4
A young girl turns into an A-List celebrity over night when her private journal is accidently published and becomes a best-seller.
0
Zenon Kar is 15 and lives on a space station which the military has taken over and is dismantling. She receives a mysterious signal and must convince everyone that it's from aliens who have come to help them.
-1
Melissa has a bad case of sibling rivalry, only her competition is a fictional character in her father's best-selling novel about a teenage super spy. When her father is "dadnapped" by a group of overzealous fans, it's up to Melissa to help him by tapping her inner superhero.
-2
Penny and her family are lured on an all expenses paid vacation where a mad scientist captures them, refusing to let them go because Oscar won't reveal his on of his secret Proud Snacks formulas.
-1
Here comes a new film for a new school year. It is time to return to the Third Street School with Recess, already in fifth grade !. Gang discouraged to discover that have occurred in the school some unpleasant changes: there will be no pizza, no playground ... no lockers! And if that were not enough, his new teacher turns out to be Miss Finster! All this is too much for TJ, who is determined to find a way to defend what they believe Clique school and get back to what it was. Full of emotion, suspense and lots of laughter, enjoying how the 5th year get the best out of everyone ... including the best of Miss Finster and Pickly director! Recess is already in the 5th grade and teach that working together is the best way to learn about friendship, teamwork and, above all, fun
2
Mater finds a small UFO called Mator and they have a night out. Later, when Mator is captured by military forces, Mater sneaks up and saves him with the help of Lightning McQueen and the UFO's mother.
-1
The Book of Pooh is an American television series that aired on the Disney Channel. It is the third television series to feature the characters from the Disney franchise based on A. A. Milne's works; the other two were the live-action Welcome to Pooh Corner and the animated The New Adventures of Winnie the Pooh which ran from 1988-1991. It premiered on February 9, 2001, and completed its run on July 8, 2003. The show is produced by Shadow Projects, and Playhouse Disney. This is the first Pooh show where Jim Cummings voices Tigger filling in for the late Paul Winchell.

It was shown in U.K on a Channel 5 Block known as 'Milkshake!' as well as Playhouse Disney. It's run on Milkshake! ended around 2006 to 2007.
3
Johnny Kapahala, a teen snowboarding champion from Vermont, returns to Oahu, Hawaii, for the wedding of his hero -- his grandfather, local surf legend Johnny Tsunami -- and to catch a few famous Kauai waves. When Johnny arrives, he meets his new family including "Uncle Chris" (the 12-year-old son of his new step-grandmother) who resents the upcoming marriage. Chris's only interest is to join a mountain boarding crew led by a teenage bully. When Johnny's grandfather and his new wife open a surf shop that also caters to mountain boarders, they are soon embroiled in a turf war with a rival shop owner who wants to shut their business down.
1
Grab a backstage pass to the Jonas Brothers' motion picture debut! Kevin, Joe and Nick are "Burning Up" the stage and inviting you inside their personal world for the adventure of a lifetime. This colossal movie event launches the world's hottest band straight into your living room – and includes guest appearances by chart-topping artists Demi Lovato and Taylor Swift! Secure your VIP pass to a once-in-a-lifetime experience with the Jonas Brothers. Get ready to hang out with this multitalented trio, and take an intimate look at what their lives are like offstage and behind the scenes. It's the music-filled movie event perfect for the whole family!
5
While producing a reality TV show, a teenager meets a magician whose powers are real but put him in danger.
-1
Mater tells Lightning McQueen about his former job as a daredevil.
0
Pete Ivey (Jason Dolley) is the type of guy who's easily overlooked in the school halls -- unlike his boisterous best friend, Cleatus Poole (Mitchel Musso), who's proudly carrying on the family tradition of spreading school spirit as the spirited Brewster High chicken. But when the costume prompts an allergy attack, Poole begs Pete to take his place at center court; the resulting anonymity frees Pete to discover his inner star. Trouble is, it's Poole who's getting all the attention from fans, who think he's the one behind the mask. Meanwhile, Pete's attempts to get noticed by pretty new girl Angela (Josie Loren) are complicated by the fact that she's also entranced with the mysterious man in the chicken suit. In the end, Pete must decide whether facing the possibility of rejection is worth revealing himself for what -- and who -- he really is.
0
Motocrossed! is a 2001 Disney Channel Original Movie (based on the Shakespeare play Twelfth Night), about a girl named Andrea Carson who loves motocross, despite the fact that her father finds her unsuited for the sport, being that she is "just a girl". When her twin brother Andrew breaks his leg just before a big race, their father is forced to go to Europe to find a replacement rider. In the meantime, Andrea secretly races in Andrew's place with her mother's help.
0
Lightning McQueen and Mater are driving in Radiator Springs and drive past Red, who is hosing some plants near Stanley. Mater tells Lightning that he used to be a firetruck, but Lightning doesn't believe Mater.
0
Mater and Lightning McQueen are ready to rock! When Mater's garage band, Mater and the Gas Caps, records a hit song, Mater becomes a rock legend. Then Lightning joins Mater's band for the rock concert of the century!
1
Inspired by the true story of University of Virginia basketball star Lamont Carr, the film centers on a group of young Jewish basketball players who search for a coach to help them out of a slump. The main character Alex Schlotsky is inspired by the true story of Alex Barbag and Chad Korpeck.
-1
This short begins with the star canine and his owner Penny in peril from "The Man with the Green Eye", trapped within his fortress protected by overwhelming defenses, tied up and suspended high above a bottomless pit that's surrounded by fire. So Penny's father transforms Rhino into a super hamster to save the day.
-2
Supported by the National Geographic Society, the world's eminent blue whale scientists embark on a revolutionary mission: They'll find, identify, and tag California blue whales, use the DNA samples to confirm the sex of individual whales, then rejoin the massive creatures' stunning migration when they collect at a chimera known as the Costa Rica Dome.
4
Joseph, Matthew and Andrew Lawrence (TV's Brotherly Love) star in this thrilling, action-packed sequel to the Disney Channel Original Movie Horse Sense. It's first-class adventure on the high seas for Michael Woods (Joseph Lawrence) and his cousin (Andrew Lawrence) when they charter a private yacht for a fun-filled cruise off the coast of Australia. But the yacht turns out to be a broken-down fishing boat complete with rusting hull! When they find themselves being chased by modern-day pirates, they decide that Jumping Ship with the boat's captain Jake Hunter (Matthew Lawrence) is the only option. Stranded on a desert island without any conveniences from home, these three castaways must work together as a team if they hope to survive and be rescued.
5
Super Robot Monkey Team Hyperforce Go! is an American/Japanese animated television series, and was created by Ciro Nieli, one of the directors of Teen Titans, with animation being done by a Japanese studio known as The Answer Studio. Set mainly on the fictional planet of Shuggazoom, the series follows the adventures of five cyborg monkeys and a human boy named Chiro as they struggle to protect their planet - and the rest of the universe - from the forces of evil.

As is obvious from the visual appearance of the show, there is a significant anime influence present, despite being produced for American television. It was also influenced by Star Trek, Super Sentai, Voltron, and Star Wars. The show also contains various references to pop culture, a notable example being the episode "Season of the Skull", which is a parody of the 1970s thriller The Wicker Man.
0
Mater is the first tow truck on the moon! When an auto-naut gets stranded on his lunar mission, it's up to Mater to venture into space and tow him back to Earth (with a little help from his friend Lightning McQueen, of course).
0
Based a on a true story about two sisters who came out on top of a man's sport. The story is based on Erica and Courtney Enders, two sisters who get in to junior drag racing and make it all the way to the top. The two sisters fight a battle of fellow racers who are against having girls race with them therefore it pushes them harder to compete against their competition. Erica becomes stressed when her racing life becomes mixed with her social life and academic goals, and decided to quit racing, until she realizes racing is what she truly wants to do. Finally towards the end of their teen years the Enders sisters come out on top to win the junior drag racing national title. They continue to race throughout high school and college, and still do so today.
2
Tyler and his brother find an alien ship which makes Tyler appear older and gives him other abilities. This turns his high school life upside down, and may enable him to help his older brother's love life. After he is abducted by beings who intend to takeover Earth, he must depend on his inept and lovelorn brother to rescue him.
-1
Detective Mater is hot on the trail of a dastardly car-napping! When Tia's sister goes missing, Mater is the only car she can turn to. With this tow truck on the case, anything can happen.
0
Trudy Walker hated her life. She thought it was totally messed up until she found out about a contest that could change everything..
-2
Meet Spot, a clever little dog with big dreams of becoming a real boy. When Spot finds out that a crazy scientist can make his wish come true, he takes a cross-country trek with Leonard, his best friend and master, and their mom. However, Dr. Krank's experiments are a little less than perfect, and it will take Leonard and his pet pals to right this genetic wrong.
3
Samantha's band, the Zettabytes, is meeting with little success, so her friend Roscoe uses his knowledge of technology designed by his father to create a holographic lead singer, Loretta Modern. The band instantly becomes successful, but Samantha begins to feel alienated, Roscoe discovers feelings for Samantha, and Loretta struggles with individuality.
3
Josh Townsend finds himself living in New Mexico after his father's new job requires the family to move from their home in Utah. While acclimating to his new surroundings, Josh becomes involved with a group of teens attempting to preserve the buffalo and Navajo traditions. Along the way he makes friends and learns important lessons about life in this Disney Channel Original movie.
1
Zenon Kar, a teenager living on a space station in the year 2054, competes in the first ever Galactic Teen Supreme contest.
1
This was going to be the first year that Marshal Middle School was not going to have a dance team. All that changes when the new Biology teacher, Ms. Bartlett, agrees to be the coach. Now the girls need to prove that they are ready to compete and are able to win; not only to themselves, but to their parents and coach. Using the chant "si, se puede" or "yes, I can" the Dance team builds their confidence to perform.
3
Eccentric Frank Carlyle ran a horror shop in small-town Steeple Falls, which takes pride in and profit from its Halloween traditions. Frank's widower grandson Richard grudgingly returns there from Boston with his own kids, bright Ian and bratty Claire, to settle the inheritance. Ian discovers great-grandpa's house is really haunted, and not just, as legend holds, by historic owner Zachariah Kull, who was burned on the stake.
-2
Eddie Ogden is his pa's pride and joy as well as the Groundhogs team's only asset as baseball talent. Then Eddie discovers a taste and talent for cuisine. Although his brothers Andy and Alex, and Pa as well as classmates enjoy his dishes, they only mock cooking, so he arranges and 'accidental' registration for him and two friends in Home Economics. Only Eddie -secretly again- and nerdy shrew Bridget Simons enter a national cooking competition for school-kids. Ma finds out and to his surprise proves supportive, as well as the teacher, who once won the competition herself.
8
When 15-year-old Vicky Austin, her sister Suzy and little brother Rob visit their grandfather on Seven Bay Island, Vicky faces several unexpected challenges. Her beloved grandfather, retired Reverend Eaton, seems to be seriously ill, but tries to pretend that nothing is wrong. Vicky met the rich but emotionally troubled Zachary Gray the previous summer, and he reappears to renew the acquaintance. Another boy, 17-year-old Adam Eddington, recruits Vicky to help him with a research project, working with a dolphin called Basil. Vicky discovers she can communicate telepathically with the dolphin and his mate - and possibly with Adam as well
-1
Alex is a high school student who always feels like he is overshadowed by his little brother Stevie; he can't get the girl of his dreams; he and his two best friends, Abby and James, are outsiders at school; and he is constantly benched on his football team. Then Stevie receives a lucky coin from a strange old man, a coin which he gives to Alex, telling him to make a wish. The next day, Alex gets everything he ever wished for - Stevie is gone (in fact, he is the star of his own TV show, and his family don't even know him); Alex dates the most popular girl at school; he is one of the most popular kids himself; and he is the star of the football team. At first he enjoys his new life, only to later find out that everything that was great in his original life now is gone.
5
A teenager ends up being hounded by a well-groomed and seemingly cute and tiny dog that actually turns out to be a nightmare of a beast.
0
Calvin Wheeler is a scheming 13-year-old boy with everything going for him, except for an original issue of his precious comic book collection. When a prized show-dog chases him down while skateboarding one day, his owner inadvertently convinces him to adopt and train a dog of his own. However the only one available, is an uncouth stray Labrador/St. Bernard-mix named Tyko from a local animal shelter, who proves to be more than anybody can handle.
0
This is a movie about two scientists who invent a time machine. A critical part falls out of the time machine before they get into it to test it. Nothing seems to happen at first, but when they wake up the next day they are regressing in age (physically and mentally).
-2
In 1981, college athletic recruiting changed forever as a dozen big-time football programs sat waiting for the decision by a physically powerful and lightning-quick high school running back named Marcus Dupree. On his way to eclipsing Herschel Walker’s record for the most touchdowns in high school history, Dupree attracted recruiters from schools in every major conference to his hometown of Philadelphia, Miss. More than a decade removed from being a flashpoint in the civil-rights struggle, Philadelphia was once again thrust back into the national spotlight. Dupree took the attention in stride, and committed to Oklahoma. What followed, though, was a forgettable college career littered with conflict, injury and oversized expectations. Eight-time Emmy Award winner Jonathan Hock will examine why this star burned out so young and how he ultimately used football to redeem himself.
-1
For the first time on DVD and video, see your favorite RECESS kids as kindergartners! Discover how the gang met with a look back at all your favorite characters when they first came to the Third Street School! The fun begins when the big kids get "captured" by a gang of wild new kindergartners led by Chief Stinky, the self-proclaimed kindergarten king. It takes T.J. and the rest of the RECESS kids to convince the kindergartners that good friends can come in all sizes . . . big and small! Join in the joy and laughter of RECESS: ALL GROWED DOWN -- full of hilarious twists and turns, lessons about meeting new friends, and the very fun business of growing up!
6
Stonehenge Decoded presents world renowned archaeologists as they reveal a revolutionary new theory about who built Stonehenge and why.
2
From 1981-1984, a small private school in Dallas owned the best record in college football. The Mustangs of Southern Methodist University were riding high on the backs of the vaunted "Pony Express" backfield. But as the middle of the decade approached, the program was coming apart at the seams. Wins became the only thing that mattered as the University increasingly ceded power of the football program to the city's oil barons and real estate tycoons and flagrant and frequent NCAA violations became the norm. In 1987, the school and the sport were rocked, as the NCAA meted out "the death penalty" on a college football program for the first and only time in its history. SMU would be without football for two years, and the fan base would be without an identity for 20 more until the win in the 2009 Hawaii Bowl. This is the story of Dallas in the 1980's and the greed, power, and corruption that spilled from the oil fields onto the football field and all the way to the Governor's Mansion.
-3
Jace Newfield has a problem. Besides being blind and being the new kid at school, his problem is that the kids at his new school thinks he's a jerk. Jace has to find a way to be accepted into his new school. Joining the wrestling team just might work.
-3
In 1983 the upstart United States Football League (USFL) had the audacity to challenge the almighty NFL. The new league did the unthinkable by playing in the spring and plucked three straight Heisman Trophy winners away from the NFL. The 12-team USFL played before crowds that averaged 25,000, and started off with respectable TV ratings. But with success came expansion and new owners, including a certain high profile and impatient real estate baron whose vision was at odds with the league’s founders. Soon, the USFL was reduced to waging a desperate anti-trust lawsuit against the NFL, which yielded an ironic verdict that effectively forced the league out of business. Now, almost a quarter of a century later, Academy Award-nominated and Peabody Award-winning director Mike Tollin, himself once a chronicler of the league, will showcase the remarkable influence of those three years on football history and attempt to answer the question, “Who Killed the USFL?”
0
Filmmaker Louis Schwartzberg hits the road to capture America's people and its natural beauty. sea to shining sea, from amber waves of grain to purple mountain majesties, it's not merely the land that makes America beautiful -- it's her people. Captured with stunning cinematography, AMERICA'S HEART & SOUL takes you on a journey that weaves across this great nation, revealing a rich tapestry of ordinary people living extraordinary lives as they follow their dreams with the freedom of spirit that's uniquely American. From the Vermont dairy farmer, to the blind mountain climber, to the father and son marathon runners, their inspiring stories are as different as can be -- passionate, colorful, courageous, funny, touching.
10
Far from civilization, a team of scientists, led by Dr. Enric Sala and joined by Explorer-in-Residence Mike Fay, search in a wilderness of waves for ancient secrets and living treasures. In the most comprehensive survey ever attempted, our scientists discover a hidden world found no where else on earth. Full of coral, fish, and, especially, sharks - this is a world where predators outnumber prey. What they find could change our understanding of coral reefs forever. Enric Sala and his team search for the key to save our planet's reefs... in a hidden paradise called Shark Eden.
2
An insight into the life and work of the famous lion whisperer, Kevin Richardson and his lion park which he struggles to keep running during a terrible drought in funding.
-1
In the fall of 1993, in his prime and at the summit of the sports world, Michael Jordan walked away from pro basketball. After leading the Dream Team to an Olympic gold medal in 1992 and taking the Bulls to their third consecutive NBA championship the following year, Jordan was jolted by the murder of his father. Was it the brutal loss of such an anchor in his life that caused the world’s most famous athlete to rekindle a childhood ambition by playing baseball? Or some feeling that he had nothing left to prove or conquer in basketball? Or something deeper and perhaps not yet understood?
-1
In late March of 1984, a moving company secretly packed up the Baltimore Colts’ belongings and its fleet of vans sneaked off in the darkness of the early morning. Leaving a city of deeply devoted fans in shock and disbelief. What caused owner Robert Irsay to turn his back on a town that was as closely linked to its team as any in the NFL? Academy Award-winning filmmaker Barry Levinson, himself a long-standing Baltimore Colts fanatic, will probe that question in light of the changing relationship of sports to community. Through the eyes of members of the Colts Marching Band, Levinson will illustrate how a fan base copes with losing the team that it loves.
-4
In Fernando Nation, Mexican-born and Los Angeles-raised director Cruz Angeles traces the history of a community that was torn apart when Dodger Stadium was built in Chavez Ravine and then revitalized by one of the most captivating pitching phenoms baseball has ever seen. Nicknamed “El Toro” by his fans, Fernando Valenzuela ignited a fire that spread from LA to New York—and beyond. He vaulted himself onto the prime time stage and proved with his signature look to the heavens and killer screwball that the American dream was not reserved for those born on U.S. soil. In this layered look at the myth and the man, Cruz Angeles recalls the euphoria around Fernando’s arrival and probes a phenomenon that transcended baseball for many Mexican-Americans. Fernando Valenzuela himself opens up to share his perspective on this very special time. Even 20 years later, “Fernandomania” lives.
1
A new scientific expedition follows the King Cobra into the wild for the first time.
-1
National Geographic presents a comprehensive view of the spectacular California coastal area known as Big Sur—through the eyes of three intrinsically connected native creatures. Fly with the California condors and capture the panoramic view of Big Sur’s many topside layers, and dive with California’s sea otters to investigate life below the waves. Then, follow the stealthy mountain lions and see how the scavengers, the key-stone species and this top predator are all critical contributors to Big Sur’s unique habitat
3
Fantasy Sports is estimated to be a $4 billion industry that boasts over 30 million participants and a league for almost every sport imaginable. But for all this success, the story of the game’s inception is little known. The modern fantasy leagues can be traced back to a group of writers and academics who met at La Rotisserie Francaise in New York City to form a baseball league of their own: The Rotisserie League. The game quickly grew in popularity, and with the growing use and attractiveness of the Internet, the “founding fathers” never foresaw how their creation would take off and ultimately leave them behind. Innovative filmmakers Adam Kurland and Lucas Jansen will chronicle the early development and ultimate explosion of Rotisserie Baseball, and shine a light on its mostly unnoticed innovators.
3
Ricky Williams does not conform to America’s definition of the modern athlete. In 2004, with rumors of another positive marijuana test looming, the Miami Dolphins running back traded adulation and a mansion in South Florida for anonymity and a $7 a night tent in Australia. His decision created a media frenzy that dismantled his reputation and branded him as America's Pothead. But while most in the media thought Williams was ruining his life by leaving football, Ricky thought he was saving it. Through personal footage recorded with Williams during his time away from football and beyond, filmmaker Sean Pamphilon takes a fresh look at a player who had become a media punching bag and has since redeemed himself as a father and a teammate.
2
A brave clan of Meerkats struggle in the Namid Desert, working together to cope in a hostile world.
-2
Dance Moms is an American dance reality series that debuted on Lifetime on July 13, 2011. Created by Collins Avenue Productions, it is set in Pittsburgh, Pennsylvania, at the Abby Lee Dance Company, and follows children's early careers in dance show business, and their mothers. A spinoff series, Dance Moms: Miami, set in Miami at Victor Smalley and Angel Armas' dance studio, Stars Dance Studio, premiered on April 3, 2012, and was cancelled in September 2012 after eight episodes.

On October 10, 2012, Lifetime announced that they had picked up Dance Moms for a third season, consisting of 26 episodes, which debuted on January 1, 2013.
1
Twin brother and sister Dipper and Mabel Pines are in for an unexpected adventure when they spend the summer helping their great uncle Stan run a tourist trap in the mysterious town of Gravity Falls, Oregon.
-2
There is a town in Maine where every story book character you've ever known is trapped between two worlds, victims of a powerful curse. Only one knows the truth and only one can break the spell.

Emma Swan is a 28-year-old bail bonds collector who has been supporting herself since she was abandoned as a baby. Things change for her when her son Henry, whom she abandoned years ago, finds her and asks for her help explaining that she is from a different world where she is Snow White's missing daughter.
-1
Kickin' It is an American martial arts inspired comedy television series, which debuted on June 13, 2011 on Disney XD. Created and executive produced by Jim O'Doherty, the series is rated TV-Y7 and follows the karate instructor at an under-performing martial arts academy, played by Jason Earles, and his five misfit students, played by Leo Howard, Dylan Riley Snyder, Mateo Arias, Olivia Holt and Alex Christian Jones.

On September 20, 2011, Disney XD announced the series had been renewed for a second season. The show's second season premiered on April 2, 2012. Disney XD announced on November 5, 2012 that the series had been renewed for a third season and would go into production in January 2013. The third season premiered on April 1, 2013. Alex Christian Jones is not a main cast member for the third season. In August 2013, Disney XD ordered a fourth season of the series, which aired in 2014.  The series concluded on March 25, 2015.
1
When an unexpected enemy emerges and threatens global safety and security, Nick Fury, director of the international peacekeeping agency known as S.H.I.E.L.D., finds himself in need of a team to pull the world back from the brink of disaster. Spanning the globe, a daring recruitment effort begins!
-3
Benjamin has lost his wife and, in a bid to start his life over, purchases a large house that has a zoo – welcome news for his daughter, but his son is not happy about it. The zoo is in need of renovation and Benjamin sets about the work with the head keeper and the rest of the staff, but, the zoo soon runs into financial trouble.
1
When a car hits young Victor's pet dog Sparky, Victor decides to bring him back to life the only way he knows how. But when the bolt-necked "monster" wreaks havoc and terror in the hearts of Victor's neighbors, he has to convince them that Sparky's still the good, loyal friend he was.
-2
Captain Jack Sparrow crosses paths with a woman from his past, and he's not sure if it's love -- or if she's a ruthless con artist who's using him to find the fabled Fountain of Youth. When she forces him aboard the Queen Anne's Revenge, the ship of the formidable pirate Blackbeard, Jack finds himself on an unexpected adventure in which he doesn't know who to fear more: Blackbeard or the woman from his past.
-2
Wreck-It Ralph is the 9-foot-tall, 643-pound villain of an arcade video game named Fix-It Felix Jr., in which the game's titular hero fixes buildings that Ralph destroys. Wanting to prove he can be a good guy and not just a villain, Ralph escapes his game and lands in Hero's Duty, a first-person shooter where he helps the game's hero battle against alien invaders. He later enters Sugar Rush, a kart racing game set on tracks made of candies, cookies and other sweets. There, Ralph meets Vanellope von Schweetz who has learned that her game is faced with a dire threat that could affect the entire arcade, and one that Ralph may have inadvertently started.
2
Against his father Odin's will, The Mighty Thor - a powerful but arrogant warrior god - recklessly reignites an ancient war. Thor is cast down to Earth and forced to live among humans as punishment. Once here, Thor learns what it takes to be a true hero when the most dangerous villain of his world sends the darkest forces of Asgard to invade Earth.
0
During World War II, Steve Rogers is a sickly man from Brooklyn who's transformed into super-soldier Captain America to aid in the war effort. Rogers must stop the Red Skull – Adolf Hitler's ruthless head of weaponry, and the leader of an organization that intends to use a mysterious device of untold powers for world domination.
-3
John Carter is a war-weary, former military captain who's inexplicably transported to the mysterious and exotic planet of Barsoom (Mars) and reluctantly becomes embroiled in an epic conflict. It's a world on the brink of collapse, and Carter rediscovers his humanity when he realizes the survival of Barsoom and its people rests in his hands.
-5
Taking place some time between 'Tron' and 'Tron: Legacy', 'Tron: Uprising' tells the story of Beck, a young program who becomes the skillful leader of a revolution inside the computer world of The Grid.
0
Walter Sherman, an Iraq War veteran, has the extraordinary ability to help people find the unfindable.
1
Three fanatical bird-watchers spend an entire year competing to spot the highest number of species as El Nino sends an extraordinary variety of rare breeds flying up into the U.S., but they quickly discover that there are more important things than coming out on top of the competition.
3
Africa is a land sculpted by time where animals have evolved complex weapons to arm them in the battle to live another day. An elephant's tusks can defend, or attack. An octopus uses camouflage to find food, or hide from an enemy. A Cape Fur Seal's speed and agility are valuable tools to catch a penguin, but ineffectual against a Great White Shark. A single hippopotamus holds a pride of twelve lions at bay with his sheer bulk, but backs down when faced with the piercing teeth of another hippo. With lethal weapons wielded by fearsome predators and prey, animals walk a precarious path, here among Africa's Deadliest.
-4
Captured by smugglers when he was just a hatchling, a macaw named Blu never learned to fly and lives a happily domesticated life in Minnesota with his human friend, Linda. Blu is thought to be the last of his kind, but when word comes that Jewel, a lone female, lives in Rio de Janeiro, Blu and Linda go to meet her. Animal smugglers kidnap Blu and Jewel, but the pair soon escape and begin a perilous adventure back to freedom -- and Linda.
0
Brave is set in the mystical Scottish Highlands, where Mérida is the princess of a kingdom ruled by King Fergus and Queen Elinor. An unruly daughter and an accomplished archer, Mérida one day defies a sacred custom of the land and inadvertently brings turmoil to the kingdom. In an attempt to set things right, Mérida seeks out an eccentric old Wise Woman and is granted an ill-fated wish. Also figuring into Mérida’s quest — and serving as comic relief — are the kingdom’s three lords: the enormous Lord MacGuffin, the surly Lord Macintosh, and the disagreeable Lord Dingwall.
0
Fishing is a hard life, and harder with bluefin stocks depleted. In Gloucester, Massachusetts, there's a special breed of fishermen. For generations they've used rod and reel to catch the elusive bluefin tuna. They depend on these fish for their livelihood, and the competition is brutal. Over the next 10 weeks, the most skilled fishermen will set out in the frigid waters of the North Atlantic in hopes of catching the valuable bluefin tuna. When one bluefin can bring in as much as $20,000—they'll do whatever it takes to hook up.
-1
When Kermit the Frog and the Muppets learn that their beloved theater is slated for demolition, a sympathetic human, Gary, and his puppet brother, Walter, swoop in to help the gang put on a show and raise the $10 million they need to save the day.
0
Benny and Claire, a down-on-their-luck couple, find a discarded Chitauri weapon referred to as 'Item 47'.
0
Get ready to have your mind messed with! "Brain Games" is a groundbreaking series that uses interactive experiments, misdirection and tricks to demonstrate how our brains create the illusion of seamless reality through our memory, through our sensory perception, and how we focus our attention.
-1
Agent Coulson stops at a convenience store and deals with a coincidental robbery during his visit.
1
Randy Cunningham: 9th Grade Ninja is an American animated television series created by Jed Elinoff and Scott Thomas for Disney XD. It is produced by Titmouse, Inc. and Boulder Media Limited. Many of the character designs were supplied by Jhonen Vasquez, the creator of Invader Zim. The series premiered on September 17, 2012.
-2
While being trained by S.H.I.E.L.D., Spider-Man battles evil with a new team of teen colleagues.
-1
A comedy about the unique relationship between a young songwriter, Ally Dawson, and Austin Moon, the overnight internet sensation who gains sudden notoriety after performing one of Ally's songs. Austin and Ally struggle with how to maintain and capitalize on Austin's newfound fame. Austin is more of a rebel type who doesn't follow the rules and is somewhat immature for his age, while Ally is conservative yet self-conscious.
-1
An idealistic teen from rural Texas embarks on the adventure of a lifetime when she decides to leave behind starry nights for big city lights. Thrilled to be on her own and determined not to be intimidated by New York City, she accepts a job as nanny for a high-profile couple with four kids. Helping to keep her moral compass in check are Bertram, the family's butler, and Tony, the building's 20-year-old doorman.
2
When Sid accidentally destroys Manny's heirloom Christmas rock and ends up on Santa's naughty list, he leads a hilarious quest to the North Pole to make things right and ends up making things much worse. Now it's up to Manny and his prehistoric posse to band together and save Christmas for the entire world!
1
Chyna Parks, an 11 year old musical prodigy, gets into a gifted program called Advanced Natural Talents at the local high school. Along with her fellow elementary school-aged 'ANTs', she must navigate the halls of a new school of older kids who are not particularly fond of grade-skipping newbies.
5
8-year-old Finn is terrified to learn his family is relocating from sunny California to Maine in the scariest house he has ever seen! Convinced that his new house is haunted, Finn sets up a series of elaborate traps to catch the “ghost” in action. Left home alone with his sister while their parents are stranded across town, Finn’s traps catch a new target – a group of thieves who have targeted Finn’s house.
-3
Star race car Lightning McQueen and his pal Mater head overseas to compete in the World Grand Prix race. But the road to the championship becomes rocky as Mater gets caught up in an intriguing adventure of his own: international espionage.
1
Surfer Jay Moriarity sets out to ride the Northern California break known as Mavericks.
-1
A young African-American girl aspires to be a doctor like her mom.
1
The story of the Tuskegee Airmen, the first African-American pilots to fly in a combat squadron during World War II.
0
Set in Central Michigan's farm country, this reality series follows the work done at Pol Veterinary Services. Specializing in large farm animals, Dr. Pol treats horses, pigs, cows, sheep, alpacas, goats, chickens and even an occasional reindeer. The program also features Dr. Brenda Grettenberger, who has worked with Dr. Pol since 1992.
1
It's summertime, and Greg Heffley is looking forward to playing video games and spending time with his friends. However, Greg's dad has other plans: He's decided that some father-son bonding time is in order. Desperate to prevent his dad from ruining summer vacation, Greg pretends he has a job at a ritzy country club. But Greg's plan backfires, leaving him in the middle of embarrassing mishaps and a camping trip gone wrong.
-6
During an ordinary day in Hundred Acre Wood, Winnie the Pooh sets out to find some honey. Misinterpreting a note from Christopher Robin, Owl convinces Pooh, Tigger, Rabbit, Piglet, Kanga, Roo, and Eeyore that their young friend has been captured by a creature named "Backson" and they set out to rescue him.
0
Agent Coulson informs Agent Sitwell that the World Security Council wishes Emil Blonsky to be released from prison to join the Avengers Initiative. As Nick Fury doesn't want to release Blonsky, the two agents decide to send a patsy to sabotage the meeting...
-3
Manny, Diego, and Sid embark upon another adventure after their continent is set adrift. Using an iceberg as a ship, they encounter sea creatures and battle pirates as they explore a new world.
0
Document some of the world's most ancient and extreme medical practices, from the snake-soup healer in Hong Kong to the chicken-massaging witch doctors in the African country of Cameroon. Gibbon is joined by volunteer patients who are seeking cures to their own ailments, something Western medicine has failed to achieve.
0
A musically talented teenager returns to her native Buenos Aires with her father, Herman, after living in Europe for several years, navigating the trials and tribulations of growing up.
1
A crew of kid pirates - leader Jake and pals Izzy and Cubby - and their Never Land adventures as they work to outwit two infamous characters, the one and only Captain Hook and Smee.
1
Leo is an ordinary teenager who has moved into a high-tech "smart'' house with his mother, inventor stepfather and Eddy, the computer that runs the house. Leo's life becomes less ordinary when, one day, he discovers a secret underground lab that houses three experiments: superhuman teenagers. The trio -- Adam, the strong one, Bree, the fast one and Chase, the smart one -- convinces Leo and his parents to let them leave their lab and join Leo at school, where they try to fit in while having to manage their unpredictable bionic strengths. As Leo figures out a way to keep his new pals' bionic abilities a secret, they help him build self-confidence.
3
Skylar finds out that her parents are monster hunters after she accidentally releases some monsters from a secret containment chamber; so she and her techno friends must recapture all the monsters and also save her mom and dad from these monsters who are out for revenge.
-5
A version of Shakespeare's play, set in the world of warring indoor and outdoor gnomes. Garden gnomes Gnomeo and Juliet have as many obstacles to overcome as their quasi namesakes when they are caught up in a feud between neighbors. But with plastic pink flamingos and lawnmower races in the mix, can this young couple find lasting happiness?
0
Puppy mayhem turns the lives of newlywed Chihuahua parents Papi and Chloe upside down when their rambunctious, mischievous puppies present one challenge after another. But when their human owners end up in trouble, the tiny pups will stop at nothing to save them - because in good times and hard times, the family always sticks together. So Papi, Chloe and the puppies embark on a heroic adventure, proving once again that big heroes come in small packages.
1
An urban office worker finds that paper airplanes are instrumental in meeting a girl in ways he never expected.
1
The kingdom is in a festive mood as everyone gathers for the royal wedding of Rapunzel and Flynn. However, when Pascal and Maximus, as flower chameleon and ring bearer, respectively, lose the gold bands, a frenzied search and recovery mission gets underway. As the desperate duo tries to find the rings before anyone discovers that they’re missing, they leave behind a trail of comical chaos that includes flying lanterns, a flock of doves, a wine barrel barricade and a very sticky finale. Will Maximus and Pascal save the day and make it to the church in time? And will they ever get Flynn’s nose right?
-2
Teddy Duncan's middle-class family embarks on a road trip from their home in Denver to visit Mrs. Duncans Parents, the Blankenhoopers, in Palm Springs. When they find themselves stranded between Denver and Utah, they try to hitch a ride to Las Vegas with a seemingly normal older couple in a station wagon from Roswell, New Mexico. It turns out that the couple believes they are the victims of alien abduction. The Duncan's must resort to purchasing a clunker Yugo to get to Utah, have their luggage stolen in Las Vegas, and survive a zany Christmas with Grandpa and Grandma Blankenhooper.
-1
African Cats captures the real-life love, humor and determination of the majestic kings of the savanna. The story features Mara, an endearing lion cub who strives to grow up with her mother’s strength, spirit and wisdom; Sita, a fearless cheetah and single mother of five mischievous newborns; and Fang, a proud leader of the pride who must defend his family from a once banished lion.
7
Dance Moms: Miami was an American reality television series on Lifetime and debuted on April 3, 2012. It was a spin-off of Dance Moms and was cancelled in September 2012 after eight episodes.
0
Tinkerbell wanders into the forbidden Winter woods and meets Periwinkle. Together they learn the secret of their wings and try to unite the warm fairies and the winter fairies to help Pixie Hollow.
-1
In this Oscar-nominated short from The Simpsons, Maggie must navigate an eventful first day in daycare. At the Ayn Rand School for Tots, Maggie is diagnosed with average intelligence. Barred from the gifted children, she longs to escape from her glue-guzzling classmates. But when a lonely caterpillar befriends her, she makes it her mission to save it from a ruthless butterfly smashing toddler
1
Film geek Josh is looking for the subject of his new documentary when a chance meeting puts the perfect star in his sights—Dylan, his school's most popular junior. But Dylan's hopes of using the film to become Blossom Queen don't quite match with Josh's goal to make a hard-hitting exposé about popularity. Will Josh shoot the film as planned, or show Dylan as the truly interesting person she is?
4
Avery Jennings and Tyler James are step-siblings who are complete opposites. The family faces an even bigger adjustment when their new dog, Stan, can talk and also has a blog, unbeknownst to the family. Stan uses his blog to discuss the happenings in the Jennings-James household. Avery and Tyler later learn of Stan's talking ability and agree to keep it a secret from their parents.
0
After a talent scout spots her performing with her dog Boi at a charity gala, Sharpay Evans sets off for the bright lights of NYC, convinced instant fame and fortune are in the bag. But theatre's a dog-eat-dog world. Fortunately, Sharpay also meets Peyton, a handsome student filmmaker who finds Sharpay nearly as fascinating as she finds herself.
7
Monty Halls explores Australia's Great Barrier Reef, one of the natural wonders of the world and the largest living structure on our planet.
2
Wimpy Greg Heffley, now in seventh grade, thinks he has it all together. He has mastered middle school and gotten rid of the Cheese Touch. However, Greg's older brother, Rodrick, is itching to cut him down to size. He gets the perfect opportunity when their mother tries to force the boys to bond. Rodrick may be Greg's chief tormentor, but he feels his constant pranks are just what his little brother needs to prepare him for life's hard knocks.
-3
When Papi, Chloe, the pups, Uncle Pedro, and their owners move to a hotel, the smallest pup Rosa feels like she doesn't fit in, and Papi wants to make her feel better by showing her how special she is.
2
Zendaya and Bella Thorne, who play Rocky and CeCe in hit Disney Channel series Shake It Up, star in this Disney Channel Original Movie. Three pairs of friends relationships go from good to bad and back again. Several couple fall out over girls, boys and work. Can all these couples settle their differences and be friends again?
-2
A childless couple bury a box in their backyard, containing all of their wishes for an infant. Soon, a child is born, though Timothy Green is not all that he appears.
0
After five disparate high school students meet in detention, they realize they have more in common than they think and form a band that becomes a champion for students sidelined by the high school elite.
2
A nature documentary centered on a family of chimps living in the Ivory Coast and Ugandan rain forests.
0
A young boy comes of age in the most peculiar of circumstances. Tonight is the very first time his Papa and Grandpa are taking him to work. In an old wooden boat they row far out to sea, and with no land in sight, they stop and wait. A big surprise awaits the boy as he discovers his family's most unusual line of work. Should he follow the example of his Papa, or his Grandpa? Will he be able to find his own way in the midst of their conflicting opinions and timeworn traditions?
-1
Cody and Zack are approached to join the Gemini Project, a high-tech research center studying the dynamics between twins. Shockingly, they find themselves interconnected in a whole new way! When one twin experiences something, the other twin feels it too. This newfound revelation helps them see eye to eye for the first time, and it puts them in more danger than they could have imagined.
0
Between volcanic eruptions and asteroid impacts, examine the prehistoric origin, evolution and turbulent history of human civilisations in Europe. Understand how the history of Europe shaped the modern continent.
0
When Martians suddenly abduct his mom, mischievous Milo rushes to the rescue and discovers why all moms are so special.
-1
An all-new Disney holiday classic is born - Santa Paws 2: The Santa Pups. Starring a brand-new litter of the cutest talking pups ever - Hope, Jingle, Charity, and Noble - it's perfect for the whole family. When Mrs. Claus travels to Pineville, the playful Santa Pups stow away on her sled. Taking mischief to a whole new level, they begin granting joyful wishes to Pineville's boys and girls, but something goes terribly wrong - the Christmas spirit begins to disappear. Now the Santa Pups and Mrs. Claus must race to save Christmas around the world. From the creators of Disney Buddies, this magical, heartwarming tale is brimming with hope, cheer, and Christmas spirit.
6
On the set of Cleopatra, Hollywood's most beautiful star, Elizabeth Taylor, fell into the arms of one of the world's greatest actors, Richard Burton - and she didn't leave. Their subsequent white-hot, scandalous love affair gave rise to the paparazzi and they became the most hunted and photographed couple on earth. Their rocky, passionate, relationship, born in front of the cameras, was subsequently captured in a series of films, including The V.I.P.s and Who's Afraid of Virginia Woolf? The last of the great, extravagant stars, flaunting diamonds, yachts and private planes, they continually seized the headlines. They even divorced and married again - only to divorce again - but remain in each other's hearts. This Elizabeth Taylor - Richard Burton story is a no-holds barred account of their undying, but impossible love.
0
Disney's irresistible talking puppies are back in an all-new movie that takes them far across town to a mysterious mansion where something very spooky is going on.
-1
A beautiful love story in danger. Our future depends on an amazing love story between the flowers and fauna consisting of bees, butterflies, birds and bats, which allow these species to reproduce. Delicate and graceful, the flowers are not content to be the ultimate symbol of beauty. On the contrary, their vibrant colors and their exotic flavors are so many wonders that attract pollinators and drunk with desire. All these animals are involved in a complex dance of seduction on which one third of our crops, a dance without which we could survive ... Pollen presents the unsung heroes of the global food chain. Their fantastic worlds are full of stories, drama and beauty. While a fragile and threatened, essential for the balance of the planet, it should now actively protect ...
9
At “Prom,” every couple has a story and no two are exactly alike. As the big dance approaches for Nova Prescott, it’s a battle of wills as she finds herself drawn to the guy who gets in the way of her perfect prom. Fellow seniors Mei and Tyler harbor secrets, while others face all the insecurity and anticipation that surrounds one of high school’s most seminal events.
0
A fast food restaurant mini variant of Buzz forcibly switches places with the real Buzz and his friends have to deal with the obnoxious impostor.
0
When Rex finds himself left behind in the bathroom, he puts his limbs to use by getting a bath going for a bunch of new toy friends.
0
The toys throw Ken and Barbie a Hawaiian vacation in Bonnie's room.
0
A young teenage rapper must use his musical talent to help his friend out and win the girl of his dreams by going through several events of betrayal, trust and agreement while his religious parents have strictly dislike his interests.
0
Phineas and Ferb get trapped in an alternate dimension where the evil Doofenshmirtz rules the tri-state area. They must find a way back home with the help of their pet platypus named Perry, who they discover is a secret agent.
-2
Mater's decision to fly lands him accidentally at a big airshow.
0
The mysterious Fury gives viewers top-secret access to S.H.I.E.L.D. intel on key Marvel heroes and villains by bringing together a mix of animation and motion comic art.
0
Wyatt Bernstein is a typical boy who lives n a household full of females. Wyatt desperately wishes for a brother he could do fun guy stuff with. When he is reluctantly taken to a Build-A-Bestie store by his family for his birthday, he creates a boy-filled version of a Bestie. Wyatt's dream finally comes true when his creation, Crash, comes to life.
-2
Disney's irresistible talking puppies are back in an all-new movie that takes them halfway across the world to the ruins of ancient Egypt. With the help of some exotic new friends, this epic adventure is a treasure trove of pure Buddy fun. In a race against a devious cat, the Buddies and their new friends, Cammy and Babi, must avoid booby traps, solve puzzles and explore a mysterious tomb - all in search of the greatest treasure known to animalkind!
2
When a clock lands on Mater's engine, he travels back in time to 1909 where he meets Stanley, an ambitious young car on his way to California. With the help of Lightning McQueen, Mater alters history by convincing Stanley to stay and build Radiator Springs. Stanley meets Lizzie and they commemorate the opening of the new courthouse with their wedding.
2
Minnie Mouse has a passion for fashion, along with good friend Daisy Duck, of Minnie's Bow-tique, a specialty shop that sells only bows and bow ties.
2
"So Random" has the biggest cast, the biggest stars, and the biggest laughs on Disney Channel! Nothing is off limits in this all new musical sketch comedy. Each episode features original skits, songs and parodies with celebrity guest stars like Tony Hawk, Mitchel Musso and Selena Gomez!
-1
The witch from Pixar's Brave uses magical illustrations to tell the legend of a power-obsessed prince who sought a magic spell that would allow him to wrest control of a kingdom from his brothers, only to destroy that kingdom and his own fate as well.
2
Lanny and Wayne are at it again! With the Big 2-5 fast approaching, Wayne and Lanny must race to recover classified North Pole technology which has fallen into the hands of a computer-hacking Naughty Kid! Desperate to prevent Christmas from descending into chaos, Wayne seeks out the foremost Naughty Kid expert to aid in the mission: a bombastic member of the Coal Bucket Brigade who also happens to be his estranged brother, Noel.
-4
A legendary and friendly creature named Nessie lives happily in a small pond with her friend MacQuack, a rubber duck. When a rich developer takes the pond and land surrounding it to build a miniature golf course, Nessie is forced to search for a new home.
4
Christmas is just around the corner but suburban workaholics Maya Fletcher and her husband Jack are too busy to get into the holiday spirit. As their Christmas to do list grows and deadlines fast approach, holiday spirit is at an all time low. Maya forgets she promised to host a Christmas Eve party for her and Jack’s whole family. In an effort to impress a potential new client, Maya has also invited him to spend the holidays with the family.
3
On December 10, 2010, Sotheby's auctioned off what could be considered the most important historical document in sports history -- James Naismith's original rules of basketball. "There's No Place Like Home" is the story of one man's fanatical quest to win this seminal American artifact at auction and bring the rules "home" to Lawrence, Kansas, where Naismith coached and taught for over 40 years.
2
Tim Laman a photographer for National Geographic and ornithologist Ed Scholes have been traveling to some of the most remote jungles the world has to offer in search of observing and photographing all 39 species of tropical bird. This particular group of birds are entitled as the “Birds of Paradise” and can be found in some of the last truly wild locations of New Guinea.
0
Follow Cesar Millans rise from impoverished illegal immigrant to celebrity dog trainer to international superstar. Join Cesar as he embarks on his live world speaking tour, films his new television series in Spain and leads thousands of dogs and owners on a Pack Walk in Washington, D.C. Cesar reflects on his humble past, his family life and his ever-evolving philosophy, which inspires people to improve their relationships with their dogs while becoming the pack leader of their own lives.
1
America's Greatest Animals takes us across North America on a revelatory mission: which of the continent's landmark creatures deserve to make the list?
1
Mickey's Mousekersize is a short series based on Mickey Mouse Clubhouse airing on the Disney Junior programming block. It premiered on February 14, 2011. Characters featured in the short series are Mickey Mouse, Minnie Mouse, Donald Duck, Daisy Duck, Goofy, Pluto, Clarabelle Cow, and Toodles.
-1
India is home to over a billion people with one fifth of the world's population on only 2% of the world's surface. Yet India still has a wild side, populated by giants, fierce predators, the rare and beautiful…all wrapped up in a land of extremes. 'Secrets of Wild India' celebrates the diversity and drama of India's extraordinary and varied landscapes. In this three-part series, each episode focus' on one iconic ecosystem, a snapshot of how life works in each unique environment.
-1
Two rare 6-week-old clouded leopard cubs are given to a filmmaker, giving him the opportunity of a lifetime to examine the secret lives of big cats.
0
Famed astrophysicist Neil deGrasse Tyson provides clarity for the vision of the cosmos as he voyages across the universe with never-before-told stories that delve into the scientific concepts of the laws of gravity and the origins of space and time.
2
Agent Phil Coulson of S.H.I.E.L.D. (Strategic Homeland Intervention, Enforcement and Logistics Division) puts together a team of agents to investigate the new, the strange and the unknown around the globe, protecting the ordinary from the extraordinary.
-1
Light years from Earth, 26 years after being abducted, Peter Quill finds himself the prime target of a manhunt after discovering an orb wanted by Ronan the Accuser.
0
Set between the events of Star Wars: Episodes III and IV, the story unfolds during a dark time when the evil Galactic Empire is tightening its grip of power on the galaxy. Imperial forces have occupied a remote planet and are ruining the lives of its people. The motley but clever crew of the starship Ghost — cowboy Jedi Kanan, ace pilot Hera, street-smart teenager Ezra, the “muscle” Zeb, warrior firebrand Sabine, and cantankerous old astromech droid Chopper — is among a select few who are brave enough to stand against the Empire. Together, they will face threatening new villains, encounter colorful adversaries, embark on thrilling adventures, and become heroes with the power to ignite a rebellion.
0
Four families will compete each week to transform their homes for the holidays in just 21 days.
0
A family man struggles to gain a sense of cultural identity while raising his kids in a predominantly white, upper-middle-class neighborhood.
0
The famed survivalist takes A-list celebrities on journeys into the wildest locations around the world, forcing the stars to push their bodies and minds to the limit to successfully complete the adventure of a lifetime.
1
When the magic powers of The Tablet of Ahkmenrah begin to die out, Larry Daley spans the globe, uniting favorite and new characters while embarking on an epic quest to save the magic before it is gone forever.
2
Wolverine faces his ultimate nemesis - and tests of his physical, emotional, and mortal limits - in a life-changing voyage to modern-day Japan.
-2
After the cataclysmic events in New York with The Avengers, Steve Rogers, aka Captain America is living quietly in Washington, D.C. and trying to adjust to the modern world. But when a S.H.I.E.L.D. colleague comes under attack, Steve becomes embroiled in a web of intrigue that threatens to put the world at risk. Joining forces with the Black Widow, Captain America struggles to expose the ever-widening conspiracy while fighting off professional assassins sent to silence him at every turn. When the full scope of the villainous plot is revealed, Captain America and the Black Widow enlist the help of a new ally, the Falcon. However, they soon find themselves up against an unexpected and formidable enemy—the Winter Soldier.
-7
A young girl and her blended family move to the small cottage town of Evermoor. All is well until sinister things start to happen, magic tapestries, an enchanted typewriter. Only a few of the strange things found in the town of Evermoor.
1
Young princess Anna of Arendelle dreams about finding true love at her sister Elsa’s coronation. Fate takes her on a dangerous journey in an attempt to end the eternal winter that has fallen over the kingdom. She's accompanied by ice delivery man Kristoff, his reindeer Sven, and snowman Olaf. On an adventure where she will find out what friendship, courage, family, and true love really means.
1
Thor fights to restore order across the cosmos… but an ancient race led by the vengeful Malekith returns to plunge the universe back into darkness. Faced with an enemy that even Odin and Asgard cannot withstand, Thor must embark on his most perilous and personal journey yet, one that will reunite him with Jane Foster and force him to sacrifice everything to save us all.
-3
Set in the storybook world of Enchancia, this is the story of Princess Sofia, an adventurous little girl who is learning how to adjust to royal life after her mom marries the king and she becomes a princess overnight.
1
In their quest to confront the ultimate evil, Percy and his friends battle swarms of mythical creatures to find the mythical Golden Fleece and to stop an ancient evil from rising.
-2
When Tony Stark's world is torn apart by a formidable terrorist called the Mandarin, he starts an odyssey of rebuilding and retribution.
0
Less than 55 years ago, Dubai International Airport was a vast desert of sand.

Today, it is a modern mecca of international air travel.

With a staggering 344,000 flights, 57 million passengers and 2 million tons of cargo flying in and out each year, it is the worlds third busiest airport for international passengers.

In Ultimate Airport Dubai, step behind-the-scenes of Dubai Internationals three massive terminals, including Terminal 3 the largest building on earth by floor space, measuring 359 football pitches in size!

With unprecedented access to all facets of this mega facility, the series follows some of the 60,000 staff working hard to keep it safe, secure, and on schedule.
1
In a woods filled with magic and fairy tale characters, a baker and his wife set out to end the curse put on them by their neighbor, a spiteful witch.
-1
When you’ve clawed your way to the top of the food chain, you have to fight to stay there. Experience this harsh reality through the eyes of the determined predators that rely on skill, instinct and evolution to survive. But while they may be masters of their domains, that doesn’t mean things always go their way—and with young mouths to feed, the pressure is on.  Three years in the making, the 4-part Secret Life of Predators reveals the hidden, unknown world of predators living in the oceans, forests, open spaces, and on the edge.  Episodes include: Wet, Stealth, Naked, and Exposed.
1
Alabama native, Destin, is driven to reveal the extraordinary science behind the jobs, missions, and obsessions of ordinary people.
2
What starts out as a fun road trip for the Toy Story gang takes an unexpected turn for the worse when the trip detours to a roadside motel. After one of the toys goes missing, the others find themselves caught up in a mysterious sequence of events that must be solved before they all suffer the same fate in this Toy Story of Terror.
-4
A special bond develops between plus-sized inflatable robot Baymax, and prodigy Hiro Hamada, who team up with a group of friends to form a band of high-tech heroes.
2
From ancient times to the Second World War, Europe has been soaked in blood and intrigue.  In this fascinating new series, Bloody Tales goes beyond the British Isles to seek out the Europe's most grisly history to discover the mysterious true stories behind some of history’s most infamous tales.

From East to West, from the UK to Istanbul, join historian Dr Suzannah Lipscomb and presenter Joe Crowley to investigate subjects that include Rome’s famously cruel emperor Caligula and the notoriously violent Vikings.
-4
The film takes place one year after the events of Captain America: The First Avenger, in which Agent Carter, a member of the Strategic Scientific Reserve, is in search of the mysterious Zodiac.
-1
This show combines cold hard science with some of the craziest, most spectacular and painful user generated clips ever recorded. Richard Hammond introduces all manner of mishaps featuring brave, if misguided individuals from around the world and then explains the science behind their failure and humiliation with the use of bespoke animations and super slo-mo cinematography. Every episode features between 50 and 60 clips of misadventure – ordinary folk making extraordinary mistakes. Each week watch stunts involving weightlifting, shooting guns or jumping over cars, that have gone wrong, paused, re-wound, and re-played and analysed to determine exactly what went wrong and why. Richard explains the physics, chemistry and biology at play, then presents forensic details to explain the stupidity that resulted in failure. He’ll look at everything including weight, volume, momentum, combustion and even how the brain operates. This is misadventure explained. This is the Science of Stupid.
-10
The exploits of identical twins Liv, a former television star back home in Wisconsin and in the process of adding movie star to her credits, as well as beginning to focus on her music career, and Maddie, an outstanding student and basketball phenomenon recovering from an injured knee. The series centers on the unbreakable bond the twins share though they have wildly different personalities. To complicate their teenage lives, both parents work at their high school and their younger brothers are always stirring up trouble.
0
Viewers go deep into an Alaskan winter to meet six tough and resilient residents as they try to stay one step ahead of storms and man-eating beasts to make it through to spring. The closest neighbor to Sue Aikens is more than 300 miles away. Eric Salitan subsists solely on what he hunts and forages. Chip and Agnes Hailstone catch fish for currency in bartering for supplies, and Andy and Kate Bassich use their pack of sled dogs for transportation.
1
In Victorian England, the young and beautiful Alice tells a tale of a strange new land that exists on the other side of a rabbit hole. Thinking Alice insane, her doctors aim to make her forget everything. While Alice is ready to put it all behind her, she knows this world is real. In the nick of time, the Knave of Hearts and the White Rabbit save her from a doomed fate. Together, the trio tumble down the rabbit hole to Wonderland, where nothing is impossible.
-4
Alexander's day begins with gum stuck in his hair, followed by more calamities. Though he finds little sympathy from his family and begins to wonder if bad things only happen to him, his mom, dad, brother, and sister all find themselves living through their own terrible, horrible, no good, very bad day.
-4
Housewife and mother Penny Chenery agrees to take over her ailing father's Virginia-based Meadow Stables, despite her lack of horse-racing knowledge. Against all odds, Chenery - with the help of veteran trainer Lucien Laurin - manages to navigate the male-dominated business, ultimately fostering the first Triple Crown winner in 25 years.
0
This true story covers ground-breaking research into the aviation that took place at the Groom Lake Testing Facility, otherwise known as Area 51, which ensured US Aerial supremacy from the Cold War through to the present day.  Utilising CIA documents that have recently been declassified this programme identifies specific individuals who worked at the top secret base in a variety of roles – the radar specialists, pilots and security guards.  Their personal testimonies provide a unique impression not just of the work that was carried out, but of the site itself.  We reveal just how tight security had to be to keep the development of the U2, A12 and HAVE BLUE aviation programmes under wraps.  This is a film that concentrates on delivering history and factual accuracy in a fresh and engaging style – one that answers the question ‘what really happened at Area 51’?
6
A meteoric rise and tragic fall are captured in this brief history of a beloved sports team and a man who took a chance. When the New York Islanders first burst on the national hockey scene, the team was unstoppable. Winning four straight Stanley Cups, it became the pride of Long Island, until subsequent years of turmoil left the Islanders in dire straits. Enter John Spano, an obscure Texas millionaire with big dreams and a persuasive smile.  Director and avid Islanders fan Kevin Connolly of HBO’s Entourage gets an earnest play-by-play from a man who exaggerated his social and monetary profile so vastly that he actually took control of an NHL franchise. With testimony from sports analysts and federal investigators, Connolly skillfully pieces together this unbelievable story.
1
In some ways, Barry Switzer and Brian Bosworth were made for each other. The Oklahoma coach and the linebacker he recruited to play for him were both out-sized personalities who delighted in thumbing their noses at the establishment. And in their three seasons together (1984-86), the unique father-son dynamic resulted in 31 wins and two Orange Bowl victories as Bosworth was awarded the first two Butkus Awards. But then Bosworth's alter ego: "The Boz," took over both their lives and ultimately destroyed their careers. In "Brian and The Boz," Bosworth looks back on the mistakes he made and passes on the lessons he learned to his son. It's a revealing portrait of a man who had and lost it all, and a trip back to a time when enough just wasn't enough.
6
The further adventures of the Marvel Universe's mightiest general membership superhero team. With an all-star roster consisting of Iron Man, Captain America, Thor, Hulk, Hawkeye, Falcon and, occasionally--when she feels like it and only when she feels like it--Black Widow, the Avengers are a team in the truest sense. The Avengers save the world from the biggest threats imaginable--threats no single super hero could withstand.
3
During a post-Christmas play date, the gang find themselves in uncharted territory when the coolest set of action figures ever turn out to be dangerously delusional. It's all up to Trixie, the triceratops, if the gang hopes to return to Bonnie's room in this Toy Story That Time Forgot.
0
Mighty Med is a live-action comedy series starring popular Disney Channel stars Bradley Steven Perry and Jake Short, premieres as a special one-hour event, October 7 on Disney XD. The series is created by Jim Bernstein and Andy Schwartz, and is executive produced by Bernstein and Stephen Engel.
2
A look at the relationship between Mike and Sulley during their days at Monsters University — when they weren't necessarily the best of friends.
0
Spanning thousands of acres and incorporating hundreds of species of animals; Michelle Oakley’s veterinary practice is Yukon tough. There is no such thing as a typical day in Michelle’s practice. House calls can range from expelling dogs anal glands to getting chased down by the very large Arctic musk-ox. Accompanied by her teenage daughters and armed with humor as sharp as scalpel, Michelle deftly juggles being a full time Veterinarian, wife and doctor; taking us into unexplored and unexamined regions of the Yukon.
3
While on a grand world tour, The Muppets find themselves wrapped into an European jewel-heist caper headed by a Kermit the Frog look-alike and his dastardly sidekick.
0
Explores the personal and professional life of former NFL and Ole Miss quarterback Archie Manning and how the sudden loss of his father impacted his life and the way he and his wife Olivia raised their three sons.
-2
The adventures of relatable and adventurous Riley Matthews, the tween daughter of Cory and Topanga Matthews, and her bold best friend Maya as they traverse the twists and turns of teenage years at Manhattan's John Quincy Adams Middle School where Riley's dad is their History teacher.
1
Follow Dr. Susan Kelleher and staff as they treat all forms of exotic animals at her hospital in Deerfield Beach, FL
0
Documentary about the Detroit Pistons.
0
Author P.L. Travers looks back on her childhood while reluctantly meeting with Walt Disney, who seeks to adapt her Mary Poppins books for the big screen.
-1
Meet car enthusiast and TV presenter Tim Shaw and master mechanic Fuzz Townshend as they join forces to rescue rusty classic vehicles from their garage prisons
1
Larry's daughter wants only one thing for Christmas - a talking bear. His daughter's step-dad intends to make sure that Larry can't get one.
0
Dusty is a cropdusting plane who dreams of competing in a famous aerial race. The problem? He is hopelessly afraid of heights. With the support of his mentor Skipper and a host of new friends, Dusty sets off to make his dreams come true.
-3
A documentary filmmaker interviews the now-famous Trevor Slattery from behind bars.
0
On Oct. 17, 1989, at 5:04 p.m. PT, soon after Al Michaels and Tim McCarver started the ABC telecast for Game 3 of the World Series between the San Francisco Giants and the Oakland Athletics, the ground began to shake beneath Candlestick Park. Even before that moment, this had promised to be a memorable matchup: the first in 33 years between teams from the same metropolitan area, a battle featuring larger-than-life characters and equally colorful fan bases. But after the 6.9 Loma Prieta earthquake rolled through, bringing death and destruction, the Bay Area pulled together, and baseball took a backseat.
0
Zarina, a smart and ambitious dust-keeper fairy who’s captivated by Blue Pixie Dust and its endless possibilities, flees Pixie Hollow and joins forces with the scheming pirates of Skull Rock, who make her captain of their ship. Tinker Bell and her friends must embark on an epic adventure to find Zarina, and together they go sword-to-sword with the band of pirates led by a cabin boy named James, who’ll soon be known as Captain Hook himself.
0
Victor and his beloved dog Sparky watch one of their favorite home movies.
2
"Youngstown Boys" explores class and power dynamics in college sports through the parallel, interconnected journeys of one-time dynamic running back Maurice Clarett and former elite head coach Jim Tressel. Clarett and Tressel emerged from opposite sides of the tracks in Youngstown, Ohio, and then joined for a magical season at Ohio State University in 2002 that produced the first national football championship for the school in over 30 years. Shortly thereafter, though, Clarett was suspended from college football and began a downward spiral that ended with a prison term. Tressel continued at Ohio State for another eight years before his career there also ended in scandal.
2
Seven millions years ago Hawaii rose from the sea a volcanic wasteland, how these islands transformed themselves into paradise is a story that defies the odds and challenges our expectations. Nat Geo WILD takes us on an untamed journey to Hawaii, a place that through an alchemy of fire, ice and water has become an experiment in creation.
0
An ancient myth of a massive creature sparks the curiosity of Tinker Bell and her good friend Fawn, an animal fairy who’s not afraid to break the rules to help an animal in need. But this creature is not welcome in Pixie Hollow — and the scout fairies are determined to capture the mysterious beast, who they fear will destroy their home. Fawn must convince her fairy friends to risk everything to rescue the NeverBeast.
-6
Mae and Gabby are two friends who go everywhere together but they are not very popular in their school. Their classmates always pressure because they have not had a boyfriend so to avoid further setbacks, the girls put in place a plan to create the perfect boyfriend. Both believe that it will be easy to create their perfect guy using the military team building; machinery owned by the father of Mae, the machine works through a wireless keyboard. The machine can create with their settings, a robotic soldier. Of this plan was born Albert an ideal guy to be a perfect boyfriend. He will be the most popular boy of the school.
7
Documentary exploring the 1983 North Carolina State Wolfpack men's basketball team's success after being the underdogs in the competitions.
0
The Invincible Iron Man and the Incredible Hulk must join forces to save the Earth from its greatest threat yet! When two Hydra scientists try to supercharge a Stark Arc Reactor with Hulk's Gamma Energy, they unleash a being of pure electricity called Zzzax - and he's hungry for destruction. Together, Iron Man and Hulk are the only force that stands in the way of the Zzzax's planetary blackout. But first, the super heroic duo will have to get through snarling Wendigos, deadly robots and the scaly powerhouse, Abomination.  Can two of Marvel's mightiest heroes find a way to work together without smashing each other before time runs out?
2
In celebration of the publisher's 75th anniversary, the hour-long special will take a detailed look at the company's journey from fledgling comics publisher to multi-media juggernaut. Hosted by Emily VanCamp (S.H.I.E.L.D. Agent Sharon Carter), the documentary-style feature will include interviews with comic book icons, pop culture authorities, and Hollywood stars.  The special also promises an "extraordinary peek into Marvel's future!" Might Marvel release the first official footage from next year's Avengers: Age of Ultron or Ant-Man? If they do, you'll know about it here.
5
Phineas and Ferb become the galaxy's unlikeliest last hope when they must return the Death Star plans to the Rebel Alliance.
-1
The adventures of Wander, an eternally-optimistic intergalactic traveler and constant do-gooder, and his quick-tempered but loyal steed and best friend, Sylvia.  The friendliest face in outer space, Wander journeys across the galaxies to spread good cheer and to help anyone he can — much to his overly pragmatic stallion’s chagrin. Their fun-loving escapades often lead them to clash with the evil villain Lord Hater and his army of Watchdogs, who travel from planet to planet trying to make hate the order of the day. Together, the best friends travel through the cosmos, happening upon one freewheeling adventure after another and making new friends and foes.
-1
A look at the story behind Marvel Studios and the Marvel Cinematic Universe, featuring interviews and behind-the-scenes footage from all of the Marvel films, the Marvel One-Shots and "Marvel's Agents of S.H.I.E.L.D."
5
Ultra-competitive fraternal twins Lindy and Logan Watson, together with their four best friends, navigate their freshman year of high school. Each episode begins with a comedic "what just happened?" situation as Lindy and Logan each spin their own vivid account of a certain occurrence or predicament. The series utilizes flashback scenes to tell the siblings' unique stories. 
1
A kids' western centered on a kitty-cat sheriff whose job is to ensure that the town of Nice and Friendly Corners remains the friendliest town in the West.
2
Life's a beach for surfers Brady and McKenzie – until a rogue wave magically transports them inside the classic '60s beach party flick, "Wet Side Story," where a full-blown rivalry between bikers and surfers threatens to erupt. There, amidst a sea of surfing, singing and dancing, Brady and Mack accidentally change the storyline, and the film’s dreamy hero and heroine fall for them instead of for each other!
-1
Zoey is a talented dancer whose organized life is rudely disrupted when she moves in with her new step-dad and three step-brothers, until she discovers a dog-training app that can get boys to obey her every command. But she soon learns that it isn't the cure-all she had hoped for.
2
Inspired by the isolated beauty of tropical islands and the explosive allure of ocean volcanoes, Lava is a musical love story that takes place over millions of years.
0
This single-camera animation/live-action hybrid comedy revolves around  Kirby Buckets, a kid who dreams of being the biggest animator in the  world. His drawings take shape as he and his best friends, Fish and Eli,  go on outrageous adventures.
0
Filmmakers Alastair Fothergill and Keith Scholey chronicle a year in the lives of an Alaskan brown bear named Sky and her cubs, Scout and Amber. Their saga begins as the bears emerge from hibernation at the end of winter. As time passes, the bear family must work together to find food and stay safe from other predators, especially other bears. Although their world is exciting, it is also risky, and the cubs' survival hinges on family togetherness.
4
This Oscar-winning animated short film tells the story of one man's love life as seen through the eyes of his best friend and dog, Winston, and revealed bite by bite through the meals they share.
2
Small-time con man Nick DeMarco is ordered by his parole officer to take a minimum-wage job as a department store Santa during the holidays...and he hates it. Near the end of his first shift, he hastily promises a young boy, Billy, that Santa will bring his estranged parents back together by Christmas. Nick decides to make good on his promise to the child, somehow. But after meeting the boy's mother Carol, will Nick ultimately choose to put the happiness of others ahead of his own?
1
Mike and Sulley are back at Monsters University for a fun-filled weekend with their Oozma Kappa fraternity brothers. The gang is throwing their first party, but no one’s showing up. Luckily for them, Mike and Sulley have come up with a plan to make sure “Party Central” is the most epic party the school has ever seen.
-1
In this series of cartoon shorts, Mickey Mouse finds himself in silly situations all around the world! From New York to Paris to Tokyo, Mickey experiences new adventures with his friends!
-1
Joined by the Agents of S.M.A.S.H., a humorously dysfunctional group of teammates who double as family, Hulk tackles threats that are too enormous for any other heroes to handle.
1
Iron Man and Captain America battle to keep the Red Skull and his triggerman, Taskmaster, from unleashing an army of Hydra Brutes on the world!  Sequel to the film "Iron Man & Hulk: Heroes United" and feature Iron Man teaming up with Captain America, it comes to accompany the live-action film "Captain America: The Winter Soldier".
0
When the five puppies stumble upon the Five Power Rings of Inspiron (alien artifacts abandoned on Earth 16 years ago), they all develop super powers, and are enlisted in Captain Canine's battle against the evil Darkon alien Commander Drex. Captain Canine is commander of space ship Megasis and is from the planet Inspiron. He is the mortal enemy of the Commander Drex. In charge of protecting Princess Jorala and the Five Power Rings from Drex, Megasis places the rings in hiding on the planet Earth, and takes the form of a German Shepherd, intending to stay on earth in very deep cover. Adopted by aspiring young comic book artist Ian Shaeffer, and renamed Captain Canine, he spends 16 happy years on Earth, as Ian recounts the stories of his space adventures. But when the five Buddies discover the Power Rings and instantly develop superpowers, Captain Canine has to train them very quickly indeed - for Commander Drex is headed back to earth, and this time he's determined to succeed.
1
While visiting Italy with her family, a young wizard accidentally creates an evil version of herself.
-1
Phineas and Ferb team up with the Avengers to save the world from Dr. Doofenshmirtz and a group of dangerous supervillains.
-1
Set high atop snow-capped mountains in the adrenaline-fueled world of competitive snowboarding, the Disney Channel Original Movie “Cloud 9″ tells the inspiring story of two snowboarders who must overcome self-doubt to learn that achieving their dreams is possible.
1
It is just another evening commute until the rain starts to fall, and the city comes alive to the sound of dripping rain pipes, whistling awnings and gurgling gutters.
-3
A 'leisurely drive' planned in honor of Radiator Springs’ town founder, Stanley, turns precarious as Baja pros descend on the town and challenge Lightning McQueen to an off-road race. Meanwhile, the townsfolk, led by a Stanley-costumed Mater, enjoy the planned 'leisurely drive' to retrace Stanley’s original frontier route. Thinking they’re on the same course, a wrong turn sends McQueen and the Baja pros on a treacherously wild bid for survival. The misunderstanding leaves the racing professionals in awe of the 'legend' of Stanley: the Original Off-Road Racer.
0
Mickey, Minnie, Horace Horsecollar, and Clarabelle Cow go on a musical wagon ride until Peg-Leg Pete tries to run them off the road.
0
The long, cold winter has just hit New England, and while the bluefin tuna season has come to an end in Gloucester, Mass., it’s just getting started in the Outer Banks of North Carolina. After a disappointing season, several of Gloucester’s top fishermen head south to try to salvage their finances by fishing for the elusive bluefin tuna in unfamiliar Carolina waters before the experienced locals beat them to the catch. It’s a whole new battlefield and the Northern captains must conquer new styles of fishing, treacherous waters and the wrath of the Outer Banks’ top fishermen. They’re gambling on what could be a massive payday … or a huge financial loss.
-4
When Lightning McQueen gets the hiccups, everyone in Radiator Springs thinks they have the cure.
1
In 2009, just two minutes into US Airways flight 1549, a flock of birds struck the plane taking out both engines. With no power, the Captain decided to attempt the near impossible - to land it in New York's Hudson River.
-2
Henry Hugglemonster is the story of a mischievous 5-year-old monster named Henry who loves adventures, discoveries, and being with his family. Each day brings new opportunities for Henry to explore his feelings and learn important life lessons about working with others, showing kindness, and getting along with siblings. Henry finds love and support from his parents, Daddo and Momma; and his brothers and sisters, Cobby , Summer, and Ivor.
3
Guido discovers he has a hidden talent as a street corner sign spinner.
1
The enraged Emperor sends Darth Vader and his entire fleet to find and destroy Luke - who, inspired by the past actions of his father, uses a daring move to lure the Imperial Fleet into a trap that could turn the tide of the war - or lead to disaster.
-3
Red's peaceful morning routine is interrupted by a pesky visitor.
1
The British Tim Shaw conducts remarkable experiments and lets the people on the streets and at home predict the outcomes.
1
Luke Skywalker's poor judgment nearly gets him and his friends captured by Darth Vader. After witnessing this bit of immaturity, both Yoda and the ghost of Obi-Wan make the decision to expand Luke's training.
-1
Infamous disappearances of ships and aircrafts, stories of lives lost — they’re all part of the legend of the 500,000-square-mile expanse of the Atlantic Ocean known as the Bermuda Triangle. In this one-hour special, National Geographic Channel explores the area’s ominous reputation by draining the water from it to see what exactly lies below the surface of the mythical triangle. With the aid of data from sophisticated sonar surveys, see what the ocean floor looks like below the Bermuda Triangle. Witness what strange geological features will be revealed and whether they will shed light on the mysterious occurrences that have been documented within the boundaries of this area of ocean.
-4
A&E Network focuses its "Storage Wars" cameras on the Big Apple (and the surrounding tri-state area), where a new group of auction bidders roll the dice by buying abandoned storage units. They hope, of course, that a winning bid leads them to a treasure trove of items inside a unit, but they're just as likely to be left with a load of trash. Among the buyers featured are "The Legend," Joe Pauletich, a shrewd veteran of 20-plus years on the auction scene; "The Hustler," Mike Braiotta, a Bronx-born tough-talker who looks for dependable items that he can quickly sell; and the tag team of Candy Olsen ("The Flame") and Courtney Wagner ("The Firecracker"), co-owners of a vintage clothing shop.
2
Director Sam George chronicles the remarkable life and times of the late Eddie Aikau, the legendary Hawaiian big wave surfer, pioneering lifeguard and ultimately doomed crew member of the Polynesian voyaging canoe Hokulea.
1
Before Lance Armstrong, there was Greg LeMond, who is now the first and only American to win the Tour de France. In this engrossing documentary, LeMond looks back at the pivotal 1986 Tour, and his increasingly vicious rivalry with friend, teammate, and mentor Bernard Hinault. The reigning Tour champion and brutal competitor known as “The Badger,” Hinault ‘promised’ to help LeMond to his first victory, in return for LeMond supporting him in the previous year. But in a sport that purports to reward teamwork, it’s really every man for himself.
4
The Congo: more powerful and dangerous than any other river, yet a sanctuary and home for some of the most wonderful creatures on our Earth.
1
DMC explores the world of illusion, where perspective and perception converge to fool the brain into perceiving an alternative reality.
-2
Major League Baseball has been transformed by the influx of Cuban players such as Aroldis Chapman, Yasiel Puig and Jose Abreu. But a special debt of gratitude is owed to two half-brothers, whose courage two decades ago paved the way for their stardom. "Brothers in Exile" tells the incredible story of Livan and Orlando "El Duque" Hernandez, who risked their lives to get off the island.
1
Best in Bridal on FYI follows two Illinois bridal shops run by former friends who compete to outwit and out-sell each other in the exciting world of bridal retail.
3
ESPN's critically acclaimed documentary series 30 for 30 examined the 1983 NFL Draft Tuesday night -- the draft that saw future Hall of Fame quarterback John Elway traded to the Denver Broncos.
2
Seven-time Emmy Award winner Betty White shares her love for animals and VIP backstage pass to three of America's top zoos and safari parks for a characteristically irreverent, intimate and unique tour of everything big cat.
5
After fooling Darth Vader into thinking he was destroyed, Luke Skywalker voyages to Mustafar only to accidentally open the remaining holocron.
0
Pol and Charles reflect back on some of the most exciting experiences in the clinic and out on farm calls over the past year.
1
The untold story of Katherine G. Johnson, Dorothy Vaughan and Mary Jackson – brilliant African-American women working at NASA and serving as the brains behind one of the greatest operations in history – the launch of astronaut John Glenn into orbit. The visionary trio crossed all gender and race lines to inspire generations to dream big.
4
Lawyer-by-day Matt Murdock uses his heightened senses from being blinded as a young boy to fight crime at night on the streets of Hell’s Kitchen as Daredevil.
-2
The origin story of former Special Forces operative turned mercenary Wade Wilson, who, after being subjected to a rogue experiment that leaves him with accelerated healing powers, adopts the alter ego Deadpool. Armed with his new abilities and a dark, twisted sense of humor, Deadpool hunts down the man who nearly destroyed his life.
-3
The maiden crew of the Daedalus spacecraft must push itself to the brink of human capability in order to successfully establish the first sustainable colony on Mars. Set both in the future and in the present day, this series blends scripted elements set in the future with documentary vérité interviews with today’s best and brightest minds in modern science and innovation, illuminating how research and development is creating the space technology that will enable our first attempt at a mission to Mars.
6
After a tragic ending to her short-lived super hero stint, Jessica Jones is rebuilding her personal life and career as a detective who gets pulled into cases involving people with extraordinary abilities in New York City.
1
A teenager finds himself transported to an island where he must help protect a group of orphans with special powers from creatures intent on destroying them.
0
Armed with the astonishing ability to shrink in scale but increase in strength, master thief Scott Lang must embrace his inner-hero and help his mentor, Doctor Hank Pym, protect the secret behind his spectacular Ant-Man suit from a new generation of towering threats. Against seemingly insurmountable obstacles, Pym and Lang must plan and pull off a heist that will save the world.
1
Growing up can be a bumpy road, and it's no exception for Riley, who is uprooted from her Midwest life when her father starts a new job in San Francisco. Riley's guiding emotions— Joy, Fear, Anger, Disgust and Sadness—live in Headquarters, the control centre inside Riley's mind, where they help advise her through everyday life and tries to keep things positive, but the emotions conflict on how best to navigate a new city, house and school.
-2
A rogue band of resistance fighters unite for a mission to steal the Death Star plans and bring a new hope to the galaxy.
-4
It's 1946, and peace has dealt Peggy Carter a serious blow as she finds herself marginalized when the men return home from fighting abroad. Working for the covert SSR (Strategic Scientific Reserve), Peggy must balance doing administrative work and going on secret missions for Howard Stark all while trying to navigate life as a single woman in America, in the wake of losing the love of her life - Steve Rogers.
0
Given superstrength and durability by a sabotaged experiment, a wrongly accused man escapes prison to become a superhero for hire.
-2
After his career is destroyed, a brilliant but arrogant surgeon gets a new lease on life when a sorcerer takes him under her wing and trains him to defend the world against evil.
-1
K.C. Cooper, a high school math whiz and karate black-belt, learns that her parents are spies when they recruit her to join them in the secret government agency, The Organization. While she now has the latest spy gadgets at her disposal, K.C. has a lot to learn about being a spy, including keeping her new gig a secret from her best friend Marisa. Together, K.C. and her parents, Craig and Kira, and her younger siblings, Ernie and Judy (a humanoid robot), try to balance everyday family life while on undercover missions, near and far, to save the world.
1
Five seniors who were childhood best friends come together because of a dead classmates video for a million dollar treasure hunt inside Boone high school.
1
Jim Henson’s Turkey Hollow follows a family who goes on a hunt for a Bigfoot-like creature called the Howling Hoodoo during a visit to the house of their kooky aunt (played by Last Man on Earth’s Mary Steenburgen). The Howling Hoodoo itself is difficult to find, but they come across some other monsters in the woods that they didn’t even know they were looking for.
-4
Determined to prove herself, Officer Judy Hopps, the first bunny on Zootopia's police force, jumps at the chance to crack her first case - even if it means partnering with scam-artist fox Nick Wilde to solve the mystery.
-2
In Ancient Polynesia, when a terrible curse incurred by Maui reaches an impetuous Chieftain's daughter's island, she answers the Ocean's call to seek out the demigod to set things right.
-2
Thirty years after defeating the Galactic Empire, Han Solo and his allies face a new threat from the evil Kylo Ren and his army of Stormtroopers.
-1
Following the events of Age of Ultron, the collective governments of the world pass an act designed to regulate all superhuman activity. This polarizes opinion amongst the Avengers, causing two factions to side with Iron Man or Captain America, which causes an epic battle between former allies.
0
The BFG is no ordinary bone-crunching giant. He is far too nice and jumbly. It's lucky for Sophie that he is. Had she been carried off in the middle of the night by the Bloodbottler, or any of the other giants—rather than the BFG—she would have soon become breakfast. When Sophie hears that the giants are flush-bunking off to England to swollomp a few nice little chiddlers, she decides she must stop them once and for all. And the BFG is going to help her!
3
When Tony Stark tries to jumpstart a dormant peacekeeping program, things go awry and Earth’s Mightiest Heroes are put to the ultimate test as the fate of the planet hangs in the balance. As the villainous Ultron emerges, it is up to The Avengers to stop him from enacting his terrible plans, and soon uneasy alliances and unexpected action pave the way for an epic and unique global adventure.
-5
Snoopy embarks upon his greatest mission as he and his team take to the skies to pursue their arch-nemesis, while his best pal Charlie Brown begins his own epic quest.
2
For 15 years, Brian Brushwood has made a career out of social manipulation and thinking like a criminal and now he’s here to reveal how to avoid people who cheat the system and show you how to use the legal tips, tricks, and shortcuts to get ahead in life. One hack at a time.
-4
Discover what Thor was up to during the events of Captain America: Civil War.
0
Four young outsiders teleport to a dangerous universe, which alters their physical form in shocking ways. Their lives irrevocably upended, the team must learn to harness their daunting new abilities and work together to save Earth from a former friend turned enemy.
-4
After the re-emergence of the world's first mutant, world-destroyer Apocalypse, the X-Men must unite to defeat his extinction level plan.
0
The ultimate X-Men ensemble fights a war for the survival of the species across two time periods as they join forces with their younger selves in an epic battle that must change the past – to save our future.
1
A young girl overcomes her disadvantaged upbringing in the slums of Uganda to become a Chess master.
0
A teen star ventures out to the Italian countryside for a summer and emerges a new artist.
0
Intergalactic warrior Star Butterfly arrives on Earth to live with the Diaz family. She continues to battle villains throughout the universe and high school, mainly to protect her extremely powerful wand, an object that still confuses her.
0
The Muppets return to primetime with a contemporary, documentary-style show. For the first time ever, a series will explore the Muppets’ personal lives and relationships, both at home and at work, as well as romances, breakups, achievements, disappointments, wants and desires. This is a more adult Muppet show, for “kids” of all ages.
1
Challenger Disaster: Lost Tapes follows the story of the Space Shuttle Challenger and its crew, specifically Christa McAuliffe, the first civilian to be launched into space. The events of the days leading up to the disaster are detailed in this unique film, which uses no narration and no interviews. Instead the story is told solely with reports of journalists covering the story, extensive recordings from the NASA team, and interviews with McAuliffe and others who were part of this one-of-a-kind mission. Using rarely seen images and audio recordings, this show takes viewers behind the scenes of this compelling and historic story in a way never before seen.
-2
You’ve heard the story of Goldilocks and the Three Bears, but did you hear what happened after the story ended? Goldilocks apologized to Bear and now they’re best friends.
1
A rare look at warring animal clans battling for survival in a remote region of Africa, which is drying up after years of flood-soaked abundance.
2
A present-day idyllic kingdom where the benevolent teenage son of King Adam and Queen Belle offers a chance of redemption for the troublemaking offspring of Disney's classic villains: Cruella De Vil (Carlos), Maleficent (Mal), the Evil Queen (Evie) and Jafar (Jay).
3
The worst of the worst, the toughest of the tough were all sent to The Rock. And they all wanted to escape. But their biggest obstacle wasn't the walls, the bars, the razor wire, or the guards - It was the sharks. And the guards made sure all the prisoners knew it. That's why they call it SHARKATRAZ. We'll investigate the frightening shark myth the guards used to prevent escapes.
-6
Disney•Pixar's “Finding Dory” reunites everyone’s favorite forgetful blue tang, Dory, with her friends Nemo and Marlin on a search for answers about her past. What can she remember? Who are her parents? And where did she learn to speak Whale?
0
One night in Durham, North Carolina, a rape accusation set fire to the reputations of three college athletes and their elite university. As the Duke lacrosse players grappled with their transition from model student to the criminally accused, several wars were launched on different fronts.
0
Reality series following a group of truck drivers in the mountain passes of Norway, some of the most dangerous roads in all of Europe.
-1
Peter Quill is Star-Lord, the brash adventurer who, to save the universe from its greatest threats, joins forces with a quartet of disparate misfits — fan-favorite Rocket Raccoon, a tree-like humanoid named Groot, the enigmatic, expert fighter Gamora and the rough edged warrior Drax the Destroyer.
-4
A man-cub named Mowgli fostered by wolves. After a threat from the tiger Shere Khan, Mowgli is forced to flee the jungle, by which he embarks on a journey of self discovery with the help of the panther, Bagheera and the free-spirited bear, Baloo.
-2
A track coach in a small California town transforms a team of athletes into championship contenders.
0
The Coast Guard makes a daring rescue attempt off the coast of Cape Cod after a pair of oil tankers are destroyed during a blizzard in 1952.
1
Simba's son, Kion, assembles a group of animals to protect the Pride Lands, known as the Lion Guard.
2
Scrat’s epic pursuit of the elusive acorn catapults him into the universe where he accidentally sets off a series of cosmic events that transform and threaten the Ice Age World. To save themselves, Sid, Manny, Diego, and the rest of the herd must leave their home and embark on a quest full of comedy and adventure, traveling to exotic new lands and encountering a host of colorful new characters.
0
The story of a brave teenager who has saved her kingdom from an evil sorceress and must now learn to rule as a crown princess until she’s old enough to be queen.
1
Imagine a biology lab filled by a 40-foot specimen, ready for dissection. The creature has skin like a crocodile, eyes the size of softballs and intestines large enough to fit your arm. T. rex Autopsy will go inside a full-size T. rex for the first time ever to reveal how the 65-million-year-old beast may have lived. Using cutting-edge special effects techniques, and in collaboration with esteemed veterinary surgeons, anatomists and paleontologists, T. rex Autopsy will build the world’s first full-size anatomically precise Tyrannosaurus rex, based on the very latest research and findings. The massive monster will be lifelike inside and out, giving scientists the chance to touch it, smell it, scan it, x-ray it and cut it open from head to toe.
2
In 1989, the Buffalo Bills were a talented team full of big personalities, including future Hall-of-Famers Jim Kelly, Bruce Smith, Thurman Thomas and Andre Reed. Dysfunction and infighting ran as deep as the talent in their locker room, but the team known as “The Bickering Bills” would soon transform themselves into an elite force.  From 1990 through 1993, the Bills went on an unprecedented run of AFC Championship victories, appearing in a record four straight Super Bowls. But what’s been remembered most is how those Super Bowl appearances played out, with the Bills losing all four. Along the way though, the Bills took part in some of the defining NFL moments of the era. Theirs is a heartbreaking tale, yet one that ultimately proves Jim Kelly and the Bills to be among the most perseverant group of players in NFL lore.
3
Hazen Audel embarks on an epic trek that will mirror a traditional Berber nomad journey across the Saharan desert cauldron to an oasis.
0
The holiday season gets extra chilly as Loki and the frost giant Ymir plot to conquer the world. Marvel heroes Iron Man, Captain America, Hulk, Thor and others must stop the villains from stealing Santa's power – if anyone can actually find the mysterious Mr. Claus. Fortunately, Rocket Raccoon and Groot are also hot on Santa's trail. Heroes, villains, elves and cosmic bounty hunters collide in an epic quest that leaves the fate of the holiday and the world in the balance.
0
Milo Murphy is the personification of Murphy’s Law where anything that can go wrong will go wrong. Suffering from Extreme Hereditary Murphy’s Law condition (EHML), Milo always looks to make the best of the cards he’s been dealt and his endless optimism and enthusiasm can turn any catastrophe into a wild adventure. Together, he and his friends will learn that it’s all about a positive attitude and not to sweat the big stuff… and it’s all big stuff.
-1
Alice Kingsleigh returns to Underland and faces a new adventure in saving the Mad Hatter.
-1
Football is a religion to many people.  But few know the depths of both faiths as well as Bill McCartney, the former head football coach of the University of Colorado and the founder of Promise Keepers, a Christian men’s ministry.  “The Gospel According to Mac” tells the truth-is-stranger-than-fiction story of Coach Mac’s controversial national championship run – two seasons that followed multiple arrests and strife between his mostly African-American players and the Boulder police, continued with McCartney’s own daughter becoming pregnant by the team’s quarterback before seeing that same quarterback struck by cancer, and culminated in consecutive Orange Bowl match-ups against Notre Dame.  Bill McCartney’s passionate and often polarizing beliefs have made him many enemies and many admirers, but it’s difficult to deny that he embodies the essential issues facing football in America to this day.
-3
A newborn monkey and its mother struggle to survive within the competitive social hierarchy of the Temple Troop, a dynamic group of monkeys who live in ancient ruins found deep in the storied jungles of South Asia.
0
On Anna's birthday, Elsa and Kristoff are determined to give her the best celebration ever, but Elsa's icy powers may put more than just the party at risk.
1
National Geographic's landmark event series, The Greeks, brings together historians, archaeologists, actors, athletes, scientists and artists to launch a groundbreaking exploration into the ancient Greeks' journey - not just to better understand their past, but to discover how their legacy illuminates our present, and will shape our future. The story of the Greeks is the story of us.
2
On October 15, 1988, Notre Dame hosted the University of Miami in what would become one of the greatest games in college football history. It was tradition vs. swagger, the No. 4-ranked Fighting Irish versus the No. 1-ranked Hurricanes, one coaching star, Lou Holtz, versus another, Jimmy Johnson. But the name still attached to the contest came from a t-shirt manufactured by a few Notre Dame students: “Catholics vs. Convicts.” As compelling as the tale of Notre Dame’s dramatic victory is—even losing quarterback Steve Walsh calls it “a helluva ballgame”—the backstory is just as riveting.
0
An epic journey into the world of dinosaurs where an Apatosaurus named Arlo makes an unlikely human friend.
-1
Experience the Disney on Broadway songs you know and love in a whole new way from the comfort of your home. Disney's Broadway Hits at Royal Albert Hall is now available on demand!
3
Ryan Walker mysteriously awakens MECH-X4, a giant robot built to defend Bay City against impending doom. When monsters begin to descend, Ryan recruits his two best friends and his brother to help pilot the robot that is their only hope of saving their town from mass destruction.
-4
A love potion works its devious charms on fairies, elves and the swamp-dwelling Bog King as they all try to possess the potion for themselves.
2
A look at how climate change affects our environment and what society can do to prevent the demise of endangered species, ecosystems, and native communities across the planet.
-1
For years, old wood carver Mr. Meacham has delighted local children with his tales of the fierce dragon that resides deep in the woods of the Pacific Northwest. To his daughter, Grace, who works as a forest ranger, these stories are little more than tall tales... until she meets Pete, a mysterious 10-year-old with no family and no home who claims to live in the woods with a giant, green dragon named Elliott. And from Pete's descriptions, Elliott seems remarkably similar to the dragon from Mr. Meacham's stories. With the help of Natalie, an 11-year-old girl whose father Jack owns the local lumber mill, Grace sets out to determine where Pete came from, where he belongs, and the truth about this dragon.
3
Following their victory celebration in the Ewok village on Endor, seen at the close of Star Wars: Return of the Jedi, C-3PO and R2-D2 have gathered to regale Luke, Leia, Han, Chewbacca and the other Rebels with the tales of their adventures that led to the events of Star Wars: The Phantom Menace. An accidental kidnapping occurs while the droids are reminiscing and suddenly viewers are taken on a new adventure that leads to encounters with familiar faces and places that prompt the re-telling of the entire saga. The series offers all of the playful humor that viewers expect from LEGO Star Wars.
5
A buddy comedy series about two unlikely friends — an emotional pickle and a freewheeling peanut.
-1
Join hosts Charlie and Kirby Engelman as these siblings and science-lovers explore the fun and curious ways our world works. From searching for space rocks in Arizona to meeting some seriously cool dogs in Alaska - no topic is off limits.
2
When their aspiring scientist friend Barry's invention goes awry, best friends Shelby and Cyd gain the power to leap forward and backward in time whenever they want – and sometimes when they don't. Now, they experience the twists and turns of friendship and must decide between fixing mistakes in the past or catching a glimpse of the future. While Barry and his assistant, Naldo, try to figure out how to replicate time travel for themselves, Cyd and Shelby use their newfound power to navigate high school life and Shelby's mischievous twin brothers, Bret and Chet.
-2
This intergalactic adventure charts the outer space missions of young adventurer Miles Callisto and his family – mom and ship captain, Phoebe; mechanical engineer dad, Leo; tech-savvy big sister, Loretta; and robo-ostrich pet, Merc – as they help connect the universe on behalf of the Tomorrowland Transit Authority.
0
SANJAY'S SUPER TEAM follows the daydream of a young Indian boy, bored with his father's religious meditation, who imagines "a kind of ancient, Hindu version of The Avengers," with the gods appearing like superheros.
1
Harley is an engineering whiz who uses her inventions to navigate life as the middle child in a large family of seven kids.
0
Set between The Empire Strikes Back and Return of the Jedi, The Freemaker Adventures centers on a family of three young siblings—young boy Rowan, his sister Kordi, and their brother Zander—known as the Freemakers, who salvage parts from destroyed or damaged ships which they use to build new ones, which they sell in order to make their living. They are accompanied by their salvaged battle droid Roger.
-2
In a bustling metropolis after the Mighty Med hospital is destroyed by a band of unknown super-villains, Adam and Leo volunteer to oversee the students at Davenport's Bionic Academy. Kaz, Oliver and Skylar join forces with Chase and Bree to form a powerful elite force that combines bionic heroes and superheroes. Together, they vow to track down the villains and keep the world safe.
4
He made perhaps the most dramatic shot in the history of the NCAA basketball tournament. He's the only player to start in four consecutive Final Fours, and was instrumental in Duke winning two national championships. He had looks, smarts and game. So why has Christian Laettner been disliked so intensely by so many for so long? Maybe it was the time he stomped on the chest of a downed player, or the battles he had with his teammates, or a perceived sense of entitlement. But sometimes, perception isn't reality. "I Hate Christian Laettner" will go beyond the polarizing persona to reveal the complete story behind this lightning rod of college basketball. Featuring extensive access to Laettner, previously unseen footage and perspectives from all sides, this film will be a "gloves-off" examination of the man who has been seen by many as the "Blue Devil Himself." - Written by Anonymous
0
Through a series of misunderstandings, Alvin, Simon and Theodore come to believe that Dave is going to propose to his new girlfriend in New York City - and dump them. They have three days to get to him and stop the proposal.
-2
A mother bird tries to teach her little one how to find food by herself. In the process, she encounters a traumatic experience that she must overcome in order to survive.
-1
Venturing into the wilds of China, "Born in China" captures intimate moments with a panda bear and her growing cub, a young golden monkey who feels displaced by his baby sister, and a mother snow leopard struggling to raise her two cubs.
-1
The live-action comedy follows comedy duo Paige and Frankie, two quirky teens who write funny songs and create music comedy videos for their online channel. With the help of friend and aspiring agent Bernie plus Vuuugle stars Dirk and Amelia, the best friends embark on comedic adventures in their quest to take the video blogging world by storm.
0
Although it is difficult for Luna to live in another country, she is determined to try everything to make new friends and achieve a new style of skating.
-1
Fifteen-year-old Skye moves with her father from the big city to rural Northern Ireland, where they take over a local family owned  hotel called North Star, previously managed by Skye's grandfather. Skye tries to build a new life, but this new life is not free from complications as Skye must navigate through the everyday stresses of life as a teenager and tries to integrate into a group of teenagers who live and work in the hotel.
0
After Ben's coronation in Descendants, the villain kids Mal, Evie, Carlos and Jay settle in at being good while their villainous parents are still roaming the Isle of the Lost. The story goes deeper at the arrival of new villain kids, Freddie (Dr. Facilier's daughter), CJ (Captain Hook's daughter) and Zevon (Yzma's son).
-1
The film is about a high school tech whiz (Laura Marano), who is determined to become prom queen. But on the big day, she suddenly wakes up having a bad hair day, and her destroyed prom dress, and everything that can go wrong, does go badly wrong. A police officer (Leigh-Allyn Baker) seeks the necklace that the teen somehow ends up possessing. Prom day goes really bad as the pair is pursued by a dogged jewel thief (Christian Campbell) on a wild ride cross around the city.
-7
The story of one of the greatest upsets in sports history has been told. Or has it? On a Friday evening in Lake Placid, New York, a plucky band of American collegians stunned the vaunted Soviet national team, 4-3 in the medal round of the 1980 Winter Olympic hockey competition. Americans couldn't help but believe in miracles that night, and when the members of Team USA won the gold medal two days later, they became a team for the ages.  In the 30 for 30 film "Of Miracles and Men," director Jonathan Hock ("The Best That Never Was" and "Survive and Advance") explores the scope of the "Miracle on Ice" through the Soviet lens. His intense focus on the game itself gives it renewed suspense and a fresh perspective. But the journey of the stunned Soviet team didn't begin -- or end -- in Lake Placid.
9
Riley, now 12, who is hanging out with her parents at home when potential trouble comes knocking. Mom's and Dad's Emotions find themselves forced to deal with Riley going on her first "date."
-1
Teenager Cleo's school science project goes quite awry, causing her popular older sister Molly to go invisible.
0
The Drive. The Fumble. The Shot. The Decision. José Mesa. And so it goes for Cleveland sports fans. BELIEVELAND attempts to explain the masochistic devotion many Browns, Indians, and Cavs fans have when it comes to cheering for teams that continue to break our hearts. Including interviews with ghosts of sports heroes past, current Cleveland personalities, and many of the very fanatics that keep taking their licks, BELIEVELAND is like group therapy where the patients are the ones asking “why, Why, WHY!” Only true Clevelanders can understand our love for our city, our loyalty to our teams, and the mentality that hungers for more even though it’s been 50 years since our last championship. And that’s because one day–one day–we’ll be able to say, “I told you so” to everyone who refuses to believe.
1
A harried prehistoric bird mother entrusts her precious, soon-to-hatch egg to Sid. When she recommends him to her neighbours, business booms at his new egg-sitting service. However, dastardly pirate bunny, Squint, who is seeking revenge on the herd, steals, camouflages and hides all the eggs. Once again, with Squint’s twin brother assisting, Manny, Diego and the rest of the gang come to the rescue and take off on a daring mission that turns into the world’s first Easter egg hunt.
-1
Two teen rival babysitters, Jenny and Lola, team up to hunt down one of their kids who accidentally ran away into the big city without any supervision.
-1
When characters from the movie musical “Wet Side Story” get stuck in the real world, teens Brady and Mack must find a way to return them home.
-1
Based on the book by Megan Shull, The Swap follows the adventures of a rhythmic gymnast named Ellie with a make-it-or-break-it competition, and the younger brother named Jack in a hockey family who's vying for a varsity spot on his school team. But when a simple text causes the two to swap bodies, their paths take an unexpected cross.
-1
A group of friends studying in secondary school find their love for music after stumbling upon a banned room in their school.
1
This All Hallows’ Eve, Nightmare is bent on conquering our waking world by crossing through the Dream Dimension, and converting each dreamer into a monster. Can Dr. Strange, Hulk and the Howling Commandos hold the line and put an end to his nefarious scheme?
-5
This is the story of the internal struggle between a man's Brain—a pragmatic protector who calculates his every move, and his Heart—a free-spirited adventurer who wants to let loose.
-2
The life story of R&B singer-songwriter and producer, Toni Braxton.
0
When Kelly and Brian move to a farmhouse in search of a quiet life, they begin to hear strange voices and experience violent urges.
-1
A team of practical jokesters creates hilarious over-the-top pranks for an online hidden camera show.
1
Expedition Mars brings to life one of the greatest sagas of the Space Age, the epic adventures of Spirit and Opportunity, the rovers that saved NASA's Mars program after a string of failures in the 1990's.
-2
Meet Danny, inventor of the Time Machine Lunch Box. During its maiden voyage, the lunch box was hurled way into the future, where future scientists discovered a simple worm that they put through their genetic escalator, increasing the worm's intellectual capacity and need for adventure. This worm became FUTURE-WORM. Now he's returned to make sure Danny never has a boring day. One boy. One worm. Together. Into the past, present, and future. ...These are their adventures.
-1
In the mid-1990s, Orlando was the center of excitement in the NBA. The young franchise, led by mega-stars Shaquille O'Neal and Penny Hardaway, beat the mighty Bulls en route to the 1995 NBA Finals. While it was clear Orlando was a dynasty in the making, the Magic's moment on top was never fully realized.
6
National Geographic joins top scientists together with NASA on a historic mission of capturing the first clear images and data ever recorded of Pluto.
2
Life is an adventure - especially for a newborn animal who has so much to learn. "Growing Up Wild" takes audiences to the wildest corners of the planet to tell the tales of five courageous animals as they tackle the very first challenges of their young lives. With a little guidance from sage family members, each must figure out how and where to find food, while learning to recognize the very real threat of danger. From their first steps of exploring their world to their final steps into independence, "Growing Up Wild" reveals the triumphs and setbacks of five young lives in which instinct, parental lessons, and trial & error ultimately define their destinies. Featuring the stunning imagery and iconic storytelling that makes Disneynature's big-screen adventures an inspiring movie-going experience, "Growing Up Wild", brings home a special look at how similar and different these young lives can be.  - Written by (C) 2016 Disney Enterprises
-1
When Pete Carroll took over the football program at USC after the 2000 season, the once-great Trojans were under siege.  But thanks to his football knowledge, upbeat personality and recruiting skills, Southern Cal was soon back atop the college football world as home attendance skyrocketed, Carson Palmer, Matt Leinart and Reggie Bush won Heismans and the Trojans put together a 34-game winning streak.  As it would be later discovered, though, the program was committing sins that would result in lost scholarships, victories and one of those Heismans.  But those revelations didn’t come until after the national championship game in the 2006 Rose Bowl between USC and the University of Texas.  Featuring interviews with Carroll, Leinart and others inside the USC program at the time, “Trojan War” looks at Carroll’s nine-year USC reign through the prism of that game, considered one of the greatest in college football history.  It was also the beginning of the end.
4
Computer-generated imagery and other visualization techniques reveal how it would look if all the water was removed from RMS Titanic's final resting place.
0
Shark expert Neil Hammerschlag and a crew of researchers search for an elusive hammerhead shark.
-2
Yellowstone challenges every animal that lives in this Rocky Mountain wilderness; in summer it pitches them into battle against one another for food, territories and mates, in winter it forces them into a struggle for survival.
-1
With many breeds and countless variations, canines are one of the most diverse species on Earth. From ears to tails, coats to paws, every part of their bodies is uniquely structured to serve a purpose. How Dogs Got Their Shapes shines a light on a variety of canine shapes to explain how each aspect plays a pivotal role in the evolution, history, and behavior of distinct dog breeds.
2
Wanda Pratt works tirelessly to raise three children, including future NBA basketball player Kevin Durant.
1
Winning is never a slam dunk. They were the most popular fraternity on the campus of college basketball in the early 1980's. Led by a Nigerian soccer player named Hakeem Olajuwon and a lightly recruited hometown kid named Clyde Drexler, the University of Houston Cougars not only electrified the NCAA Final Four with three straight appearances (1982-84), but they also helped transform the game itself. Director Chip Rives brings back the high-flying circus act under ringmaster Guy V. Lewis and spins a tale of true greatness and crushing heartbreak.
4
This is your window into the universe…  Hubble was launched in April 1990 on board Space Shuttle Discovery.  Its release into orbit over 500km above the Earth marked the birth of one of humanity’s biggest dreams; to place a telescope into space, high above the obscuring effects of the atmosphere, to gain the clearest view of the cosmos we could hope to see.  But in the months which followed it was clear that the dream had turned into a nightmare, as Hubble’s mirror was found to have a flaw.  Three years of heartache and huge human resolve followed, to mount a rescue mission to fix the flaw.  The results were breath taking and produced the most complete view of the Universe we’ve ever had.  This is the story of the men and women who conceived, built, fixed and operated Hubble – the most celebrated science instrument in history.
0
When they were good, they were the biggest stars on a team that captured New York City and the 1986 World Series. But when they were bad, Doc Gooden and Darryl Strawberry broke the hearts of Mets fans. "They were going to be our guys for years," laments Jon Stewart in this evocative yet searing 30 for 30 documentary directed by Judd Apatow ("Trainwreck") and Michael Bonfiglio ("You Don't Know Bo"). Reunited at a diner in Queens, the pitcher and the power hitter look back on the glory days of the mid-'80s and the harrowing nights that turned them from surefire Hall of Famers into prisoners of their own addictions. Listening to Doc talk about missing the parade down the Canyon of Heroes, or Darryl counsel others at his ministry, you can only wish that these two very different men had not followed the same destructive path.
-1
First Class Chefs: Family Style is a cooking competition the the whole family! Each week teams of two family members go head to head to create a delicious and heathy dish.
1
Five cooking prodigies challenge a prolific executive-level chef in the kitchen.
2
A showcase for breathtaking shark behaviour, covering a wide variety of species across the coastal waters of the US.
1
It's touch-and-go for Donald when, instead of heading south for the winter with Daisy and all the other ducks, he insists on staying with Mickey and the gang to enjoy all that Christmas has to offer.
1
Set against the dramatic backdrop of the Australian desert and bushland, see life through the eyes of a very special Red Kangaroo as he struggles to survive drought, bush fires, dingoes and roo hunters.
-3
He’s our favorite veterinarian, and now we reveal what makes him so incredible. In this special program, Dr. Jan Pol shares his most intimate and life-changing moments – from his childhood in the Netherlands when the world was at war, to his move to the American midwest, and a love story fit for the movies – this is the story of his incredible life. (Disney+)
5
From extreme speed to bone crushing bites, big cats are some of the most impressive predators on the planet. Each of them is an incredible animal, with its own unique and special set of skills. In Big Cat Games, we will challenge ferocious felines against each other in a series of trials that will determine once and for all who is king of the cats. In the wild they are confident, dominant, and fearless—but they have never had to face anything like this before. Lions, cheetahs and tigers will be pushed to the limits of their natural athletic abilities
2
As YouTube turns ten we chart the history of the last decade through the lens of the world’s most famous video sharing site. This is the human story of those who created it, the stars it gave birth to and the countries whose fates it changed.
1
It’s a best-of-the-kids compilation episode. The cute, the cuddly, the wild, the wooly, we have an entertaining cast of kids — tots to teens — who will do anything for their animals.
1
Follow the crew of the not-so-functional exploratory ship in the Earth's interstellar fleet, 400 years in the future.
0
Bluey is an inexhaustible six year-old Blue Heeler dog, who loves to play and turns everyday family life into extraordinary adventures, developing her imagination as well as her mental, physical and emotional resilience.
3
A former Marine out to punish the criminals responsible for his family's murder finds himself ensnared in a military conspiracy.
-4
In the near future, a weary Logan cares for an ailing Professor X in a hideout on the Mexican border. But Logan's attempts to hide from the world and his legacy are upended when a young mutant arrives, pursued by dark forces.
-3
The story of American showman P.T. Barnum, founder of the circus that became the famous traveling Ringling Bros. and Barnum & Bailey Circus.
1
King T'Challa returns home to the reclusive, technologically advanced African nation of Wakanda to serve as his country's new leader. However, T'Challa soon finds that he is challenged for the throne by factions within his own country as well as without. Using powers reserved to Wakandan kings, T'Challa assumes the Black Panther mantle to join with ex-girlfriend Nakia, the queen-mother, his princess-kid sister, members of the Dora Milaje (the Wakandan 'special forces') and an American secret agent, to prevent Wakanda from being dragged into a world war.
1
Wisecracking mercenary Deadpool battles the evil and powerful Cable and other bad guys to save a boy's life.
-1
Just when his time under house arrest is about to end, Scott Lang once again puts his freedom at risk to help Hope van Dyne and Dr. Hank Pym dive into the quantum realm and try to accomplish, against time and any chance of success, a very dangerous rescue mission.
1
As the Avengers and their allies have continued to protect the world from threats too large for any one hero to handle, a new danger has emerged from the cosmic shadows: Thanos. A despot of intergalactic infamy, his goal is to collect all six Infinity Stones, artifacts of unimaginable power, and use them to inflict his twisted will on all of reality. Everything the Avengers have fought for has led up to this moment - the fate of Earth and existence itself has never been more uncertain.
-5
Thor is imprisoned on the other side of the universe and finds himself in a race against time to get back to Asgard to stop Ragnarok, the destruction of his home-world and the end of Asgardian civilization, at the hands of a powerful new threat, the ruthless Hela.
-2
Despite his family’s baffling generations-old ban on music, Miguel dreams of becoming an accomplished musician like his idol, Ernesto de la Cruz. Desperate to prove his talent, Miguel finds himself in the stunning and colorful Land of the Dead following a mysterious chain of events. Along the way, he meets charming trickster Hector, and together, they set off on an extraordinary journey to unlock the real story behind Miguel's family history.
4
Rey develops her newly discovered abilities with the guidance of Luke Skywalker, who is unsettled by the strength of her powers. Meanwhile, the Resistance prepares to do battle with the First Order.
-1
Danny Rand resurfaces 15 years after being presumed dead. Now, with the power of the Iron Fist, he seeks to reclaim his past and fulfill his destiny.
0
Daredevil, Jessica Jones, Luke Cage and Iron Fist join forces to take on common enemies as a sinister conspiracy threatens New York City.
-4
The Guardians must fight to keep their newfound family together as they unravel the mysteries of Peter Quill's true parentage.
-2
When Clara’s mother leaves her a mysterious gift, she embarks on a journey to four secret realms—where she discovers her greatest strength could change the world.
0
In the future, an outbreak of canine flu leads the mayor of a Japanese city to banish all dogs to an island that's a garbage dump. The outcasts must soon embark on an epic journey when a 12-year-old boy arrives on the island to find his beloved pet.
-3
Follow Alex Honnold as he attempts to become the first person to ever free solo climb Yosemite's 3,000 foot high El Capitan wall. With no ropes or safety gear, this would arguably be the greatest feat in rock climbing history.
3
After the Royal Family of Inhumans is splintered by a military coup, they barely escape to Hawaii where their surprising interactions with the lush world and humanity around them may prove to not only save them, but Earth itself.
1
Co-directed by Gentry Kirby and Erin Leyden, “Tommy” examines Morrison’s remarkable rise to the spotlight, followed by a stunning, confounding, and ultimately tragic fall. He was one of the best heavyweights of his time; a handsome, charming, yet unsettled young star. Born into a troubled family in America’s heartland, Morrison’s initial emergence as a fighter was bolstered by a starring role in “Rocky V.”  A few years later he beat George Foreman for the WBO heavyweight title, and seemed primed for more stardom, even in the face of blown opportunities and upset losses. But everything changed in early 1996 when he tested positive for HIV, abruptly forcing him into retirement at age 27. From there, Morrison’s life spiraled further and further downward, plagued by drug problems, jail time, and an eventual denial that he had the virus at all.
-6
Zoey Johnson heads to college and begins her hilarious journey to adulthood but quickly discovers that not everything goes her way once she leaves the nest.
1
Elastigirl springs into action to save the day, while Mr. Incredible faces his greatest challenge yet – taking care of the problems of his three children.
1
The adventures of billionaire Scrooge McDuck and his nephews Huey, Dewey and Louie, their famous uncle Donald Duck, pilot extraordinaire Launchpad, Mrs. Beakly, Webby and Roboduck. Adventures and hidden treasures are everywhere, in their hometown Duckburg and all around the world.
2
Thrust into an all-new adventure, a down-on-his-luck Capt. Jack Sparrow feels the winds of ill-fortune blowing even more strongly when deadly ghost sailors led by his old nemesis, the evil Capt. Salazar, escape from the Devil's Triangle. Jack's only hope of survival lies in seeking out the legendary Trident of Poseidon, but to find it, he must forge an uneasy alliance with a brilliant and beautiful astronomer and a headstrong young man in the British navy.
-1
In sports, we're used to seeing the improbable. But the impossible is another matter entirely. And on February 11, 1990, while the odds were technically 42 to 1, it was very much the impossible that happened in a boxing ring in Tokyo, Japan, when James "Buster" Douglas defeated Mike Tyson for the heavyweight championship of the world.  The ESPN "30 for 30" documentary "42 to 1" tells the story of just how incredibly unlikely it was. It starts in Columbus, Ohio, where Douglas grew up the son of a boxer, who trained and guided him to become a top-10 heavyweight contender in the mid 1980's. Of course, it was all in the shadow of the rise of "Iron" Mike Tyson, who became a worldwide phenomenon in a remarkable undefeated run to the undisputed title. And by the time their fight was set, Douglas was lightly regarded, merely a stepping stone for bigger fights for the champion. But on the day they met, a series of extraordinary circumstances led to an unimaginable result.
2
Every teenager thinks their parents are evil. What if you found out they actually were? Six diverse teenagers who can barely stand each other must unite against a common foe – their parents.
-2
Christopher Robin, the boy who had countless adventures in the Hundred Acre Wood, has grown up and lost his way. Now it’s up to his spirited and loveable stuffed animals, Winnie The Pooh, Tigger, Piglet, and the rest of the gang, to rekindle their friendship and remind him of endless days of childlike wonder and make-believe, when doing nothing was the very best something.
2
Dian Fossey's life story from childhood and her early days researching in Congo, through to her arrival in Rwanda, where she spent 18 years studying and protecting the mountain gorilla population. Through extensive and rarely seen archival footage, dozens of Fossey’s letters, interviews with friends and colleagues, and narration by Sigourney Weaver, the event series explores Fossey’s murder and the investigation and trial of her research student Wayne McGuire, who was found guilty in absentia of her murder by the Rwandan courts.
-3
A live-action adaptation of Disney's version of the classic tale of a cursed prince and a beautiful young woman who helps him break the spell.
0
Join us for a night of celebration, packed with celebrity guests and Hocus Pocus throwbacks, at the Hollywood Forever Cemetery.
1
When the pressure to be royal becomes too much for Mal, she returns to the Isle of the Lost where her archenemy Uma, Ursula's daughter, has taken her spot as self-proclaimed queen.
-1
For centuries, brilliant minds have changed and shaped the world. But when genius is used for evil, the results are some of the most twisted, inventive, and outrageous crimes in history.
-1
Set between “Tangled” and “Tangled Ever After,” this animated adventure/comedy series unfolds as Rapunzel acquaints herself with her parents, her kingdom and the people of Corona.
-2
Ferdinand, a little bull, prefers sitting quietly under a cork tree just smelling the flowers versus jumping around, snorting, and butting heads with other bulls. As Ferdinand grows big and strong, his temperament remains mellow, but one day five men come to choose the "biggest, fastest, roughest bull" for the bullfights in Madrid and Ferdinand is mistakenly chosen.  Based on the classic 1936 children's book by Munro Leaf.
2
Video game bad guy Ralph and fellow misfit Vanellope von Schweetz must risk it all by traveling to the World Wide Web in search of a replacement part to save Vanellope's video game, Sugar Rush. In way over their heads, Ralph and Vanellope rely on the citizens of the internet — the netizens — to help navigate their way, including an entrepreneur named Yesss, who is the head algorithm and the heart and soul of trend-making site BuzzzTube.
-3
Uncovering the profiteering of the state's water barons and how they affect farmers, average citizens, and unincorporated towns throughout California.
0
Through a series of daring escapades deep within a dark and dangerous criminal underworld, Han Solo meets his mighty future copilot Chewbacca and encounters the notorious gambler Lando Calrissian.
-3
A Heffley family road trip to attend Meemaw's 90th birthday party goes hilariously off course thanks to Greg's newest scheme to get to a video gaming convention.
0
A mind-bending, thrilling journey exploring the fragility and wonder of planet Earth, one of the most peculiar, unique places in the entire universe, brought to life by the only people to have left it behind – the world’s most well known and leading astronauts.
3
An insecure but courageous and intelligent teen named Peter Parker, a new student of Midtown High, is bitten by a radioactive spider and given powers. He becomes a hero named Spider-Man after the death of his uncle and he must adapt to this new way of life.
1
Blindsided by a new generation of blazing-fast racers, the legendary Lightning McQueen is suddenly pushed out of the sport he loves. To get back in the game, he will need the help of an eager young race technician with her own plan to win, inspiration from the late Fabulous Hudson Hornet, and a few unexpected turns. Proving that #95 isn't through yet will test the heart of a champion on Piston Cup Racing’s biggest stage!
7
Picking up immediately following the events in the feature film, these are the continuing adventures and friendship of 14-year-old tech genius Hiro and his compassionate, cutting-edge robot Baymax. As the new prodigy at San Fransokyo Institute of Technology, Hiro now faces daunting academic challenges and the social trials of being the little man on campus. Off campus, the stakes are raised for the high-tech heroes as they must protect their city from an array of scientifically enhanced villains.
5
A behind-the-scenes look at weddings and one-of-a-kind engagements that take place at Disney Destinations around the globe, including Walt Disney World, Disneyland and Disney Cruise Lines. Hosted by Ben Higgins and Lauren Bushnell. Included: fashion; products; entertainment; and décor. Also: a surprise musical performance by Pentatonix.
0
After the disappearance of her scientist father, three peculiar beings send Meg, her brother, and her friend to space in order to find him.
-1
Olaf is on a mission to harness the best holiday traditions for Anna, Elsa, and Kristoff.
1
Kazuda Xiono, a young pilot for the Resistance, is tasked with a top secret mission to investigate the First Order, a growing threat in the galaxy.
-1
Drawing from never-before-seen footage that has been tucked away in the National Geographic archives, director Brett Morgen tells the story of Jane Goodall, a woman whose chimpanzee research revolutionized our understanding of the natural world.
1
Andi is contemplative and artistic and sheltered by overprotective parents. But on the eve of her 13th birthday, Andi's free-spirited older sister Bex returns home with a revelation that changes everything and sends Andi on an uncharted course of self-discovery.
1
Fun-loving pug puppies, brothers Bingo and Rolly, have thrill-seeking appetites that take them on exhilarating adventures in their neighborhood and around the globe.
1
The reimagined playroom antics and wacky adventures of the young Kermit the Frog, Piggy, Fozzie Bear, Gonzo, Animal, Summer Penguin, and Miss Nanny.
-1
Katie Couric travels across the U.S. to talk with scientists, psychologists, activists, authors and families about the complex issue of gender.
-2
Mary Poppins returns to the Banks family and helps them evade grave dangers by taking them on magical, musical adventures.
-1
Filmmakers follow nine high school students from around the globe as they compete at an international science fair. Facing off against 1,700 of the smartest teens from 78 countries, only one will be named Best in Fair.
4
Capturing Americans in communities across the country as they wrestle with the legacy of the coal industry and what its future should be under the Trump Administration. From Appalachia to the West’s Powder River Basin, the film goes beyond the rhetoric of the “war on coal” to present compelling and often heartbreaking stories about what’s at stake for our economy, health, and climate.
-2
Hosted by Jason Silva, Origins: The Journey of Humankind rewinds all the way back to the beginning and traces the innovations that made us modern.
2
Explore what it will be like to be human one million years into the future. Today’s brightest futurists, scientists, scholars and notable science fiction writers guide viewers through the very latest advances in technology, ideas and innovations that likely will power the evolution of our species.
2
Best friends Raven and Chelsea, now both divorced mothers, are raising their children in a house together. Their house is turned upside down when they realize one of Raven's children inherited the same psychic abilities as their mother.
1
The series revolves around Gabo, a soccer-loving teenager who, upon receiving a scholarship from the prestigious Sports Academic Institute (IAD) of Buenos Aires, will see his dream of playing at Los Halcones Dorados, the renowned amateur team of the school, and also his longing to become a professional footballer.
1
It's a land of pyramids, gold, and ancient treasure, but it's not Egypt. It's present-day Sudan, once home to the glorious kingdom of Kush. Now, archaeologists are using every means possible - from robots to rock climbers - in their search for clues about this long-neglected culture. Once the Kushites filled the pharaohs' coffers with gold and, for a time, they even ruled over all of Egypt, but only now is their real story beginning to emerge.
4
Though legendary lyricist Howard Ashman died far too young, his impact on Broadway, movies, and the culture at large were incalculable. Told entirely through rare archival footage and interviews with Ashman’s family, friends, associates, and longtime partner Bill Lauch, Howard is an intimate tribute to a once-in-a-generation talent and a rousing celebration of musical storytelling itself.
3
A young vampire girl faces the joys and trials of being the new kid in town when her family moves from Transylvania to Pennsylvania.
1
Maritime mysteries—old and new—come to life in this series, combining scientific data and digital re-creations to reveal shipwrecks, treasures, and sunken cities on the bottom of lakes, seas and oceans around the world.
-1
The offbeat adventures of 10-year-old Cricket Green, a mischievous and optimistic country boy who moves to the big city with his wildly out of place family – older sister Tilly, father Bill and Gramma Alice.
-1
A continuation of the documentary spoof of what Thor and his roommate Darryl were up to during the events of "Captain America: Civil War". While Cap and Iron Man duke it out, Thor tries to pay Darryl his rent in Asgardian coins.
0
Discover some the most beautiful sites in the Japan, the great spectacle of nature and the subtle balance that prevails between tradition and modernity.
2
With nearly 6,000 veterinary cases and well over 100 births each year, the team at the Columbus Zoo has no shortage of incredible drama.
1
Follow Scott Lang as Ant-Man, dealing with everything from super villains to miniature alien invasions (and occasionally helping Cassie with her homework). Along with The Wasp and Hank Pym, Ant-Man protects the world one inch at a time.
2
Fresh off being unseated as the ruler of Sakaar, the Grandmaster makes his way to Earth to start a new life. It's been over a year since Thor left Australia and Darryl has been struggling to pay his rent. Now Darryl needs a new roommate to help make the monthly payments. Unfortunately for Darryl, the Grandmaster was the only one who answered Darryl's "Roommate Needed" ad and with no viable options, the Grandmaster moves in.
-1
Meet Nancy Clancy, a high-spirited young girl whose imagination and enthusiasm for all that is exquisite transforms the ordinary into the extraordinary – from her vast vocabulary to her creative and elaborate attire.
5
An animated micro-series starring Rey, Jyn Erso, Princess Leia, Ahsoka Tano, and more. Small moments and everyday decisions shape a larger heroic saga.
1
Two star-crossed freshmen – a zombie, Zed and a cheerleader, Addison – each outsiders in their unique ways, befriend each other and work together to show their high school and the Seabrook community what they can achieve when they embrace their differences.
-1
follows a young boy named Makoto, who gains superpowers due to an evil gene manipulation experiment. Makoto and other young kids with powers join the Avengers as apprentices named "Future Avengers."
-1
When an overworked mother and her teenage daughter magically swap bodies, they have just one day to put things right again before mom’s big wedding.
1
A Pixar short about a lost-and-found box and the unseen monster within.
-1
Imagine diving into the ocean only to discover that you are surrounded by one of the largest shark frenzies on the planet. Well, that is exactly what these researchers did in the name of science. In Polynesia, the largest school of sharks — about 700 — patrols the waters en masse. Follow an international team of scientists as they study these magnificent creatures at night, when they are most aggressive, to discover their mysterious hunting strategies and social behaviours. The result: incredible new behaviours never seen before, or caught on camera.
-2
An aging Chinese mom suffering from empty nest syndrome gets another chance at motherhood when one of her dumplings springs to life as a lively, giggly dumpling boy.
-1
For the 20th anniversary of "Titanic," James Cameron reopens the file on the disaster.
-1
Survival expert Les Stroud explores the world of Alaska's most formidable wildlife and uncovers the secrets to their survival in America's final frontier.
3
Disneynature dives under the sea to frolic with some of the planet's most engaging animals: dolphins. Echo is a young bottlenose dolphin who can't quite decide if it's time to grow up and take on new responsibilities-or give in to his silly side and just have fun. Dolphin society is tricky, and the coral reef that Echo and his family call home depends on all of its inhabitants to keep it healthy. But with humpback whales, orcas, sea turtles and cuttlefish seemingly begging for his attention, Echo has a tough time resisting all that the ocean has to offer.
2
Mickey Mouse and his pals Minnie, Pluto, Goofy, Daisy and Donald take their unique transforming vehicles on humorous high-spirited races around the globe as well as hometown capers in Hot Dog Hills.
3
Rapunzel grapples with the responsibilities of being a princess and the overprotective ways of her father. While she wholeheartedly loves Eugene, Rapunzel does not share his immediate desire to get married and settle down within the castle walls. Determined to live life on her own terms, she and her tough-as-nails Lady-in-Waiting Cassandra embark on a secret adventure where they encounter mystical rocks that magically cause Rapunzel's long blonde hair to grow back. Impossible to break and difficult to hide, Rapunzel must learn to embrace her hair and all that it represents.
-2
Mal emerges from the shadows of a mystical forest onto a dark coastline where she crosses paths with Dizzy.
-2
When a threat no one could have expected bears down on the Marvel Universe, this ragtag, untrained band of teens have no choice but to rise together and prove to the world that sometimes the difference between a 'hero' and 'misfit' is just in the name.
0
A pair of middle-school siblings make nearly all of their decisions by crowdsourcing the opinions of their millions of online followers.
0
The rousing tale of Jack Kelly, a charismatic newsboy and leader of a ragged band of teenaged 'newsies,' who dreams only of a better life far from the hardship of the streets. When publishing titans raise distribution prices at the newsboys' expense, Jack finds a cause to fight for and rallies newsies from across the city to strike and take a stand for what's right.
0
Taking place during the events of Incredibles 2, Edna Mode babysits Jack-Jack.
0
Gwen Stacy AKA Ghost-Spider, wrongly accused of a crime she didn’t commit, seeks to clear her name and deliver justice. Unfortunately, her dad is not only Captain of the NYPD, but spearheading the manhunt! To make matters worse, other young heroes—Ms. Marvel, Squirrel Girl, Quake and Patriot—are after Ghost Spider as well. But, as the chase to uncover the truth winds down, a darker threat looms along the horizon, and very soon, these heroes will need to put aside their differences and work together as a team.
-1
Spider-Man teams with other Marvel heroes, in this short-form series, to teach the benefits of friendship, co-operation and heroism.
3
A passionate conservation biologist brings together a river bushman fearful of losing his past and a young scientist uncertain of her future on an epic, four-month expedition across three countries, through unexplored and dangerous landscapes, in order to save the Okavango Delta, one of our planet's last pristine wildernesses.
-3
James Cameron and Simcha Jacobovici go on an adventure to find the lost city of Atlantis by using Greek philosopher Plato as a virtual treasure map.
0
Mickey is challenged by his nephews to tell a scary story on Halloween night, but his stories are mostly fun and silly, until he is finally pushed to tell a truly terrifying tale.
-1
Before becoming Guardians of the Galaxy, Rocket and Groot were bounty hunters trying to get a ship.
0
When Donald Duck inherits a cabana from his great-grandfather Clinton Coot in the New Quackmore Institute alongside Brazilian parrot José Carioca and Mexican rooster Panchito Gonzalez, they discover a magical book that when opened releases a goddess named Xandra. The goddess explains that Donald, José, and Panchito are the descendants of a trio of adventurers known as The Three Caballeros, who long ago traveled to stop the evil sorcerer Lord Felldrake from taking over the world and ultimately sealed him in a magical staff.

Meanwhile, the staff containing Felldrake is discovered by his descendant Baron Von Sheldgoose, the corrupt President of the New Quackmore Institute. As Sheldgoose sets out to revive Felldrake, the new Three Caballeros must learn to become heroes to save the world from disaster.
1
As the weather grows more deadly and destructive, Americans are demanding solutions to climate change — and they aren’t waiting on Washington to act.
-2
A film covering the life and career of pro wrestler Ric Flair.
-1
Bill Belichick will one day join Bill Parcells in the Pro Football Hall of Fame. When the time comes, they'll have far more in common than a place in Canton-or a first name. The Two Bills, directed by Ken Rodgers and produced by NFL Films, traces the four-decade relationship between these two coaching masters. They first met when Belichick was a teenager and his father was coaching for Navy while Parcells was coaching at Army. On the same day in 1979, they became assistants with the New York Giants, and after Parcells took over as head coach, they won two Super Bowls together. Buttressed by what he learned from Parcells, Belichick would go on to win five Super Bowls of his own with the Patriots. Through all the ups and downs of their careers, including some memorable games when they were on opposite sides of the field, they forged a bond that few men of their stature have ever experienced. Two Bills, but one epic story.
7
Follow ocean legend Sylvia Earle, renowned underwater National Geographic photographer Brian Skerry, writer Max Kennedy and their crew of teenage aquanauts on a year-long quest to deploy science and photography to inspire President Obama to establish new Blue Parks to protect essential habitats across an unseen American Wilderness.
3
Witness the earth’s greatest wildlife, shot by the world’s greatest wildlife cinematographers, in a spectacular 2-hour special originally broadcast on National Geographic, Sunday July 9th, 2017. Hosted by award-winning actress Jane Lynch and award-winning television personality Phil Keoghan, Earth Live gives viewers access to key locations across six continents — from South America to Asia and everywhere in between — as world-renowned cinematographers use cutting-edge technology to showcase a number of wildlife firsts. And, for the first time, viewers will watch live wildlife lit only by the moon, in full color, via new low-light camera technology.
3
Surrounded by the unforgiving Kalahari Desert, the Okavango Delta is a lush, vibrant oasis that pulses with life each year as the great flood rejuvenates the land with the return of water. Witness how incredible animals – like leopards, elephants, lions, hippos and more – adapt to this unpredictable and changing landscape. When the lands are flooded, the Okavango Delta is both a sanctuary and a trap, giving and taking life in equal measure. Then, like a living, breathing ecosystem, the waters soon recede and life becomes about one thing – survival. The fate of the tens of thousands of animals that live in this place of spectacular natural drama is at stake.
5
Witness a clash of oceanic titans in the remote crystal-blue battlefields of Ascension Island. Yellowfin tuna and mako and tiger sharks are all apex predators, but to these sharks, yellowfin tuna are the ultimate prize. The tuna are often faster, fitter and bigger than the sharks, reaching well over 113 kilograms. Any shark hunting these beasts needs brute strength and a little bit of luck to capture one. But when a third player enters the game, the scales tip. Who will win?
-1
The inside story of SpaceX's plan to get humanity to Mars, providing an unprecedented glimpse into one of the world's most revolutionary companies. A behind-the-scenes journey with Elon Musk and his engineers as they persevere amidst both disheartening setbacks and huge triumphs to advance the space industry faster than we ever thought possible.
1
Academy Award-Winning Actress and "The View" Co-Host Whoopi Goldberg Reveals Disney Holiday Secrets in Freeform's "Decorating Disney: Holiday Magic".
1
The adventures of science-obsessed Billy Dilley and his lab partners Zeke and Marsha
0
Howard Carter’s discovery of Tutankhamun’s tomb in 1922 made headlines across the world sparking a global frenzy for Ancient Egypt. But over the decades since the find, many of the pharaoh’s priceless grave goods have disappeared into museum basements and archives across Egypt. Now all 5,398 objects are being reunited for the first time since their discovery at the new Grand Egyptian Museum. Many have never been seen before but together they shed new light on the short, eventful life of the so-called ‘Boy King’ and are now helping experts realize the sheer scale of Tutankhamun’s influence in the ancient world.
3
In the heart of Uganda, there are lion prides that spend much of their lives in the trees – a rare and mysterious behavior seen in few other places in Africa – and little is known about why they do it. Big cat biologist Alexander Braczkowski sets out to study these lions, and his journey takes an unexpected, emotional turn.
-1
Drain Alcatraz uses cutting edge visual effects to 'drain' the waters around the notorious island of Alcatraz. With the waters drained away the secrets of Alcatraz are revealed, including exactly why the island's infamous prison was so inescapable.
-6
In 1978, the Amoco Cadiz, a supertanker loaded with 220,000 tons of petrol, ran aground in Brittany, France. The accident caused the biggest oil spill France has ever known and is still today known as one of the 20th century’s biggest ecological catastrophes. Forty years later, Loïck Peyron tries to understand how nature recovered from the disaster and what lessons were learned from it.
-3
In September 1987, for the first time in U.S. history, replacement football players took the field amidst a union strike. Seen as a second chance for these "scab" players, the '87 season became a memorable one for the Washington Redskins.
0
From the North Pole to remote islands, birds can live almost anywhere. How do these resilient animals thrive in such different environments? They have become hardy and versatile through their bodies, feathers, movements, and songs. In this global birding tour, we learn about these nomads of the sky.
4
Explore the ruins of Port Royal, once a flourishing pirate city, known for extravagance, women and liquor. The city which went by the sobriquet "wickedest city on earth", lies in shambles deep below the waters of Jamaica's Kingston Harbor after a devastating tsunami struck it on June 7, 1692
-4
Jack does crazy things with wild animals to help protect and study them. Really crazy. And maybe dangerous. But Jack is a trained expert. Do not do what Jack does. Seriously. Approaching and handling wild animals can be dangerous. Really, just don’t do it!
-5
Pre-historic giants roam the world's oceans. Go beneath the surface of the sea for an extraordinary look & listen at these majestic creatures, as we explore their social behavior & hunting strategies.
2
After six months of scientifically advanced training, three of the world's most elite distance runners set out to break the two-hour marathon barrier. These pioneers go on a global trek to defy the unthinkable and break the two-hour feat, from testing in wind tunnels and running labs in the United States, to balancing training with their day-to- day lives in eastern Africa, to the final heart-pounding race in Italy.
-1
Siblings Kirby and Charlie share strange discoveries and fun facts from the world of Weird But True! And Charlie gives a behind-the-scenes look at what it takes to create these action-packed episodes.
-1
The tropical islands that lie between Asia and Australia are among the biologically richest on earth, and home to a vast number of plants and animals. From tree kangaroos to tarsiers, manta rays to mudskippers, the region abounds with life. But why? The answer lies deep in time, due to the many millions of years these islands have existed - and the power of the earth, the sun and the moon.
-1
Wildlife filmmaker Bob Poole follows a mother cheetah named Naborr who is determined to keep her two cubs alive.
0
It’s an ocean of giants. South Africa has a dramatic, rocky coast that’s raked by churning currents. Warm, cold, rich and murky water collide to create "shark central", with enough food to sustain the biggest. Giant sharks like great whites, tiger sharks, bull sharks, ragged tooth sharks, and whale sharks all reign supreme in these waters.
-5
Uganda is still what travellers consider an ‘insider tip’. Off the tourist map, a place still in the shadows of its past. Visitors, including scientists and conservationists, had a difficult time in the civil war-stricken country. Poaching had endangered many of Uganda’s most iconic animals including Mountain gorillas, cave elephants, the chimpanzees and even the tree-dwelling lions. But now the national parks have been restored and Uganda’s wildlife is once again thriving. This is a celebration of their survival.
2
Expedition China invites you on location in some of the world's most intense, hard-to-reach environments with the filmmakers of Disneynature's big-screen adventure Born in China.
-1
Disneynature's international team of filmmakers travel to the mountains of China to find and film the elusive snow leopard on the highest plateau on Earth, while enduring brutal weather and unsettled terrain.
-2
From volcano-dwelling parrots and huge whale sharks to mighty armies of tropical ants, Central America is a place of awe-inspiring wildlife spectacles.
0

0
We follow leading experts on a quest to unlock the mysteries surrounding the tomb of Christ, using the latest scientific techniques to restore the Aedicula housing the tomb.
0
Jump into the water with scuba diver Sam and discover the amazing world of underwater animals. The Sam Cam gives you a secret look at her ocean adventures, which she goes on with aquarium experts whose exclusive interviews add more fun to the journey.
2
Whether it's emergency surgery on a dog that's eaten an engagement ring, a middle-of-the-night house call, or playing an owner's recorded goodnight message for one of their boarded pets, doctors Will Draper and Fran Tyler offer full-service treatment for the domestic pets and owners who call Metro Atlanta home. But running a successful vet practice while juggling the demands of a busy family life-which includes their four teens, four dogs, two cats and grandma down the street-can lead to some hairy situations. Add on top of that two popular restaurants, and life can really get hopping.
3
After being locked in a tower for 18 years, Rapunzel and Pascal are eager to become friends with the people (and animals) of Corona.
1
Each of Mexico Untamed distinct colorful landscapes is characterised by the animals who live there. Charismatic travelers roam the oceans, forests and deserts, revealing drama and surprising behaviors. Predator and prey fight age-old battles for survival. Males and females of the most iconic species go to extreme measures to ensure the safe arrival of a new generation.
3
In the festive special edition hosted by “So You Think You Can Dance” all-star couple tWitch and Allison, the audience will go behind-the-scenes of some of the most spectacular weddings and engagements at Disney destinations around the globe during the holiday season. From a Frozen-inspired, winter wonderland wedding fit for royalty at Walt Disney World Resort in Florida celebrating Dominique and Joseph, to an intimate exchange of vows between Greg and Melanie at Disneyland Resort in California, viewers will be guests to the most talked about nuptials of the year.
3
Find out if Sam has what it takes to hang with animals in "Zookeeper's Challenge." Watch as Sam is challenged to feed, clean, and care for Kinkajous, Giraffes, Penguins, and more!
0
Take a deep dive and learn all about the beloved sea animals in our oceans!
1
Exploring the natural extremes of the continents.
0
Dallas Campbell and Kari Byron travel the globe, meeting the innovators who are creating new ways to power our world into the future.
0
There is a beach in Costa Rica that challenges what we think we know about big cats. Americas largest cat, the jaguar, is hunting an unusual prey; sea turtles.
-1
Takes viewers into the center of five animal families - lions, jackals, cheetahs, hyenas and meerkats - as they raise their young in the wilderness. Innovative camera techniques are used to follow the animals' tender, emotional and often stressful stories from the moment their babies are born through different stages in their maturity.
2
This beautiful and intriguing series explores the incredible wildlife of Chile which encompasses a diverse range of animals and plants.
3
Explore the real-life stories of the men and women who inspired The Long Road Home as they face the challenges of putting their lives back together.
0
After the fall of the Galactic Empire, lawlessness has spread throughout the galaxy. A lone gunfighter makes his way through the outer reaches, earning his keep as a bounty hunter.
-3
Accidentally sent to the world of the Boiling Isles before a trip to summer camp, a teenage human named Luz longs to become a witch and is aided by rebellious Eda and pint-sized demon King.
-3
After the devastating events of Avengers: Infinity War, the universe is in ruins due to the efforts of the Mad Titan, Thanos. With the help of remaining allies, the Avengers must assemble once more in order to undo Thanos' actions and restore order to the universe once and for all, no matter what consequences may be in store.
-3
Kris Kringle's daughter, Noelle, sets off on a mission to find and bring back her brother, after he gets cold feet when it's his turn to take over as Santa.
-1
History’s Greatest Mysteries, hosted and narrated by Laurence Fishburne will investigate a wide range of historically compelling topics and the mysteries surrounding each including the Titanic, D.B. Cooper, Roswell, John Wilkes Booth, and more. Each program within the franchise will showcase fresh, new evidence and perspectives including never-before-released documents to the general public, personal diaries and DNA evidence to unearth brand-new information about these infamous and enigmatic chapters in history.
0
A family dog - with a near-human soul and a philosopher's mind - evaluates his life through the lessons learned by his human owner, a race-car driver.
0
Joe Gardner is a middle school teacher with a love for jazz music. After a successful audition at the Half Note Club, he suddenly gets into an accident that separates his soul from his body and is transported to the You Seminar, a center in which souls develop and gain passions before being transported to a newborn child. Joe must enlist help from the other souls-in-training, like 22, a soul who has spent eons in the You Seminar, in order to get back to Earth.
5
Five young mutants, just discovering their abilities while held in a secret facility against their will, fight to escape their past sins and save themselves.
-1
A group of East High students countdown to the opening night of their school’s first-ever production of “High School Musical.” Showmances blossom; friendships are tested while new ones are made; rivalries flare and lives are changed forever as these young people discover the transformative power that only a high school drama club can provide.
-1
Victor is a new student at Creekwood High School on his own journey of self-discovery, facing challenges at home, adjusting to a new city, and struggling with his sexual orientation. When it all seems too much, he reaches out to Simon to help him navigate the ups and downs of high school.
-1
The story follows Carol Danvers as she becomes one of the universe’s most powerful heroes when Earth is caught in the middle of a galactic war between two alien races. Set in the 1990s, Captain Marvel is an all-new adventure from a previously unseen period in the history of the Marvel Cinematic Universe.
4
Super spy Lance Sterling and scientist Walter Beckett are almost exact opposites. Lance is smooth, suave and debonair. Walter is… not. But what Walter lacks in social skills he makes up for in smarts and invention, creating the awesome gadgets Lance uses on his epic missions. But when events take an unexpected turn, Walter and Lance suddenly have to rely on each other in a whole new way.
4
The adventures of 13-year-old, self-centered Anne Boonchuy who is magically transported to the fictitious world of Amphibia, a rural marshland full of frog-people. With the help of an excitable young frog named Sprig, Anne will become a hero and discover the first true friendship of her life.
0
Presenting the tale of American founding father Alexander Hamilton, this filmed version of the original Broadway smash hit is the story of America then, told by America now.
-1
In a suburban fantasy world, two teenage elf brothers embark on an extraordinary quest to discover if there is still a little magic left out there.
2
Simba idolizes his father, King Mufasa, and takes to heart his own royal destiny. But not everyone in the kingdom celebrates the new cub's arrival. Scar, Mufasa's brother—and former heir to the throne—has plans of his own. The battle for Pride Rock is ravaged with betrayal, tragedy and drama, ultimately resulting in Simba's exile. With help from a curious pair of newfound friends, Simba will have to figure out how to grow up and take back what is rightfully his.
-1
Author and adventurer Sam Sheridan travels the globe in search of the most cursed places on Earth. Entrenching himself in macabre modern day culture, Sam explores the region's haunting history and fascinating folklore, employs cutting-edge science to illuminate the dangers of the curse, and paints a new and revealing portrait of a doomed place and the people who live there in the process.
-3
Sam is a teenage royal rebel, second in line to the throne of the kingdom of Illyria. Just as her disinterest in the royal way of life is at an all-time high, she discovers she has super-human abilities and is invited to join a secret society of similar extraordinary second-born royals charged with keeping the world safe.
1
This visual album from Beyoncé reimagines the lessons of "The Lion King" (2019) for today’s young kings and queens in search of their own crowns.
0
Buck is a big-hearted dog whose blissful domestic life is turned upside down when he is suddenly uprooted from his California home and transplanted to the exotic wilds of the Yukon during the Gold Rush of the 1890s. As the newest rookie on a mail delivery dog sled team—and later its leader—Buck experiences the adventure of a lifetime, ultimately finding his true place in the world and becoming his own master.
2
Rey leaves her friends to prepare for Life Day as she sets off on an adventure to gain a deeper knowledge of the Force. At a mysterious temple, she is hurled into a cross-timeline adventure. Will she make it back in time for Life Day?
0
Young musician Zach Sobiech discovers his cancer has spread, leaving him just a few months to live. With limited time, he follows his dream and makes an album, unaware that it will soon be a viral music phenomenon.
-2
The surviving Resistance faces the First Order once again as the journey of Rey, Finn and Poe Dameron continues. With the power and knowledge of generations behind them, the final battle begins.
-1
Documentary series in which Goldblum pulls back the curtain on a seemingly familiar object to reveal a world of astonishing connections, fascinating science, and a whole lot of big ideas.
1
When the Emperor of China issues a decree that one man per family must serve in the Imperial Chinese Army to defend the country from Huns, Hua Mulan, the eldest daughter of an honored warrior, steps in to take the place of her ailing father. She is spirited, determined and quick on her feet. Disguised as a man by the name of Hua Jun, she is tested every step of the way and must harness her innermost strength and embrace her true potential.
0
Using the very latest in drone and aerial photographic technology, tour across countries and their seasons, getting a unique view from above.
0
Artemis Fowl is a 12-year-old genius and descendant of a long line of criminal masterminds. He soon finds himself in an epic battle against a race of powerful underground fairies who may be behind his father's disappearance.
1
The untold true story set in the winter of 1925 that takes you across the treacherous terrain of the Alaskan tundra for an exhilarating and uplifting adventure that will test the strength, courage and determination of one man, Leonhard Seppala, and his lead sled dog, Togo.
3
Old-school magic meets the modern world when young Alex stumbles upon the mythical sword Excalibur. He soon unites his friends and enemies, and they become knights who join forces with the legendary wizard Merlin. Together, they must save mankind from the wicked enchantress Morgana and her army of supernatural warriors.
0
A gorilla named Ivan who’s living in a suburban shopping mall tries to piece together his past, with the help of other animals, as they hatch a plan to escape from captivity.
0
Maleficent and her goddaughter Aurora begin to question the complex family ties that bind them as they are pulled in different directions by impending nuptials, unexpected allies, and dark new forces at play.
-4
One famous day. Five heroes. Five key turning points that changed the course of World War Two during the D Day landings, told through the eyes of the people who made a difference. Using rarely seen archive, dramatic reconstruction and written accounts from eye witnesses and personal testimony from our five heroes, this is D Day as never seen before.
3
A kindhearted street urchin named Aladdin embarks on a magical adventure after finding a lamp that releases a wisecracking genie while a power-hungry Grand Vizier vies for the same lamp that has the power to make their deepest wishes come true.
2
Andy, at the urging of his former mentor and Magic Camp owner Roy Preston, returns to the camp of his youth hoping to reignite his career. Instead, he finds inspiration in his ragtag bunch of rookie magicians.
2
To pursue their dreams, these dancers will have to rise above the barre. Follow the real-life stories of students from the School of American Ballet in this Disney+ Original Documentary Series.
0
The X-Men face their most formidable and powerful foe when one of their own, Jean Grey, starts to spiral out of control. During a rescue mission in outer space, Jean is nearly killed when she's hit by a mysterious cosmic force. Once she returns home, this force not only makes her infinitely more powerful, but far more unstable. The X-Men must now band together to save her soul and battle aliens that want to use Grey's new abilities to rule the galaxy.
-1
Follow Gordon Ramsay as he meets with indigenous people around the globe to learn about the cultures, dishes and flavors unique to each location. Each episode concludes with Ramsay challenging himself with a local food legend by his side - putting his newfound skills to the test as they cook a feast together for the natives.
0
Discover what it’s like to report to work every day for The Walt Disney Company. Step behind the scenes to immerse yourself in one “ordinary” day at Disney.
2
Remote sensing techniques tell the stories of WWII battles and campaigns, the details of which have been lost in the fog of war, misinterpreted or overtaken by the landscape.
0
The teenagers of Disney's most infamous villains return to the Isle of the Lost to recruit a new batch of villainous offspring to join them at Auradon Prep.
-3
It's nothing but fun and excitement for Mickey and his best pals – Minnie, Donald, Daisy, Goofy and Pluto - as they embark on their greatest adventures yet, navigating the curveballs of a wild and zany world where the magic of Disney makes the impossible possible.
2
The continuing adventures of Seabrook High students Addison and Zed, whose budding romance is threatened by the arrival of werewolves.
0
Executive producer Jon Favreau invites the cast and crew of The Mandalorian to share an unprecedented look at the making of the series. Each chapter explores a different facet of the first live-action Star Wars television show through interviews, never-before-seen footage, and roundtable conversations hosted by Favreau himself.
0
This documentary series of personal and cinematic stories that provide an inside look into the people, artistry, and culture of Pixar Animation Studios.
0
The Apollo space program: 12 manned-missions, one impossible goal. With rare archival footage and audio, this remarkable documentary sheds new light on an incredible time in human history.
1
Survival expert Hazen Audel travels across the globe to relive some of the most extraordinary stories of wilderness survival from World War II.
3
Woody has always been confident about his place in the world and that his priority is taking care of his kid, whether that's Andy or Bonnie. But when Bonnie adds a reluctant new toy called "Forky" to her room, a road trip adventure alongside old and new friends will show Woody how big the world can be for a toy.
0
Single mothers, abandoned wives and survivors of sexual and domestic violence enroll in an intense training selection to join rangers protecting elephants from poachers across Africa.
0
Explore the past, present and future of Walt Disney Imagineering with noted filmmaker Leslie Iwerks. Ms. Iwerks comes from a family with deep Disney history — her grandfather was an early Disney animator and her father is a former Imagineer — and her previous work includes profiles of Pixar Animation Studios and visual effects house Industrial Light & Magic.
2
Leo Borlock is an average student at Mica High School. He gets decent grades, is a member of the school's marching band and has always been content flying under the radar. But all that changes when he meets Stargirl Caraway, a confident and colorful new student with a penchant for the ukulele, who stands out in a crowd. She is kind, finds magic in the mundane and touches the lives of others with the simplest of gestures. Her eccentricities and infectious personality charm Leo and the student body, and she quickly goes from being ignored and ridiculed to accepted and praised, then back again, sending Leo on a rollercoaster ride of emotions.
3
A young rabbit embarks on a journey to dig the burrow of her dreams, despite not having a clue what she's doing.
0
A young and unskilled fairy godmother that ventures out on her own to prove her worth by tracking down a young girl whose request for help was ignored. What she discovers is that the girl has now become a grown woman in need of something very different than a "prince charming."
1
Elsa, Anna, Kristoff and Olaf head far into the forest to learn the truth about an ancient mystery of their kingdom.
-1
Scooter rushes to make his delivery deadlines and upload the brand-new Muppets series for streaming. They are due now, and he’ll need to navigate whatever obstacles, distractions, and complications the rest of the Muppet gang throw at him.
-2
This six part documentary draws attention to the most extraordinary — almost supernatural — accounts of animals that have adapted to the cruelest evolutionary curveballs.
0
Mack Beggs loved wrestling—it gave him a sense of purpose and a sense of self. "Mack Wrestles" takes the audience behind the scenes as this gifted athlete from Euless, Texas, struggles against the outside forces that stigmatize transgender athletes.
-1
A young elephant, whose oversized ears enable him to fly, helps save a struggling circus, but when the circus plans a new venture, Dumbo and his friends discover dark secrets beneath its shiny veneer.
-1
Youthful ingenuity is on display in this new competition series that features teams of inventive students tasked with designing, building, and testing new contraptions to vie for the title of Shop Class Champs. In each episode, they’ll present their work to a panel of experts who will rate their projects based on engineering, design, and the final test of the build.
5
The vaquita, the world’s smallest whale, is nearing extinction as its habitat is destroyed  by Mexican cartels and the Chinese Mafia, who harvest the totoaba fish, the “cocaine of the sea.” Environmental activists, the Mexican navy, and undercover investigators are fighting back against this illegal multimillion-dollar business.
-1
ABC News Correspondent Bob Woodruff and his 28-year-old son Mack Woodruff take viewers on a father-son adventure to some of the world’s most unexpected places – roguish nations and territories mostly known for conflict, but each possessing a unique power to surprise, amaze and inspire.
0
Nory and her best friend Reina enter the Sage Academy for Magical Studies, where Nory’s unconventional powers land her in a class for those with wonky, or “upside-down,” magic. Undaunted, Nory sets out to prove that that upside-down magic can be just as powerful as right-side-up.
6
An exclusive behind-the-scenes look at the new lands at Walt Disney World Resort in Florida and Disneyland Resort in Southern California.
0
Albert Lin investigates two great stories of the Bible: Could real events lie behind the parting of the Red Sea and the destruction of Sodom and Gomorrah?
-1
Utilizing ground-penetrating radar, LiDar and 3D scanning, Lin will work with boots-on-the-ground archaeologists to discover and re-create unexcavated worlds still hidden beneath the earth.
1
irected by François Pomès, this two-part documentary chronicles the epic adventure of the Apollo space program, which included both tragic setbacks and historic successes. The first phase takes place against a backdrop of the Cold War, from the disaster of the Apollo 1 mission to the triumph of the Apollo 8 mission. The last stage culminates with the Apollo 11 space flight which landed American astronauts Neil Armstrong and Buzz Aldrin on the Moon. With full-color archival images and 3D reenactments of the mission's key stages, this immersive account details the journey of the men and women who contributed to the celebrated Apollo 11 mission.
-1
Ned, a blue-skinned alien, and his lieutenant Cornelius, were sent to scout Earth for an eventual invasion — but instead became obsessed with popular culture. Now they host a talk show, broadcast from the bridge of their spaceship hidden deep underground, where they interview our most precious commodity — celebrities — to talk about Ned’s current pop culture obsessions.
3
Everyday teen hero Kim Possible and her best friend Ron Stoppable embark on their freshman year of high school, all while saving the world from evil villains. While Kim and Ron have always been one step ahead of their opponents, navigating the social hierarchy of high school is more challenging than the action-hero ever imagined. With Drakken and Shego lurking in the wings, Kim must rely on her family and Team Possible—Ron, tech-genius Wade, new friend Athena, and Rufus, a Naked mole-rat.
-2
An immersive, action-packed and discovery-led series following International teams of Egyptologists as they unearth the world's richest seam of ancient archaeology - Egypt's Valley of the Kings.
0
The 1980 eruption of Mount St. Helens was the deadliest in U.S. history. Survivor testimonies and rare images reveal the cataclysms it unleashed.
0
An 11-year old boy believes that he is the best detective in town and runs the agency Total Failures with his best friend, an imaginary 1,200 pound polar bear.
0
Earth as it has never been seen before, by challenging preconceived notions about the world, making use of cutting-edge scientific tools, and travelling over, across and deep into the Earth's crust to learn just what makes the world tick.
-1
A young Cuban-American girl embarks on a journey to become the future president of the United States.
0
An unlikely connection sparks between two creatures: a fiercely independent stray kitten and a pit bull. Together, they experience friendship for the first time.
-1
Born free in the American West, Black Beauty is a horse rounded up and brought to Birtwick Stables, where she meets spirited teenager Jo Green. The two forge a bond that carries Beauty through the different chapters, challenges and adventures.
5
Bo Peep explains what happened to herself and her sheep between the events of Toy Story 2 and Toy Story 4.
0
An examination of the 1998 MLB season and the home run race between Mark McGwire and Sammy Sosa. The two sluggers' race to hit the most home runs, later overshadowed by the steroid scandal, left a permanent mark on baseball history.
-1
The love story between a pampered Cocker Spaniel named Lady and a streetwise mongrel named Tramp. Lady finds herself out on the street after her owners have a baby and is saved from a pack by Tramp, who tries to show her to live her life footloose and collar-free.
0
Zoologist Jack Randall journeys into Australia's Outback to encounter extraordinary wildlife.
1
An intimate concert film, in which Taylor Swift performs each song from her album 'folklore' in order, as she reveals the meaning and the stories behind all 17 tracks for the very first time.
2
Executive producer Kristen Bell, who also appears, reunites the cast of a high school musical and asks them to perform it again years later. Each former student reprises their role from their original production under the tutelage of Broadway directors, choreographers and voice coaches.
0
A brand new series discovering amazing rooms built inside a home. Take trip out of this world to see the most spectacular rooms this galaxy has to offer. From a Star Wars basement to an underwater living room, you're not going to believe what's aboard these personal mother ships.
2
Ronan Donovan, a National Geographic researcher, travels to the Arctic to study wolves.
0
A personal examination of the rise and fall of Lance Armstrong.
-1
An exciting look into the future of Marvel Studios' films and upcoming Disney+ series.
2
In India From Above, cutting-edge aerial footage reveals how India, which is at once both modern and steeped in ancient mysticism, is shaped by its developed and untouched landscapes.
0
A cooking competition that challenges five food-loving families to create delicious dishes inspired by the magic of Disney. In each episode, two families go head-to-head in a themed cooking challenge at Walt Disney World.
2
The previously untold origins of Olaf, the innocent and insightful, summer-loving snowman are revealed as we follow Olaf’s first steps as he comes to life and searches for his identity in the snowy mountains outside Arendelle.
1
"Shook" centers around Mia, a 15-year-old who yearns to dance professionally but is hindered by daily obligations to her little sister, Skylar, and their single mom, a registered nurse.
0
The story of Steve, an Adélie penguin, on a quest to find a life partner and start a family. When Steve meets with Wuzzo the emperor penguin they become friends. But nothing comes easy in the icy Antarctic.
1
Bia loves to draw and paint. She and her two best friends spend time at Fundom, a place where they and influencers like to show off their talents. On the other hand, LAIX is a network in which its CEO only wants fame and money.
5
Just inside Everest's notorious death zone, a team of climate scientists who specialize in extreme weather weigh their next move.
-2
Individuals who have recently left their traditional lifestyle behind face a challenging new world off the grid in the wilds of Alaska.
-2
An intimate discussion about the groundbreaking musical that has become a global phenomenon featuring Hamilton's creator, its director, and cast members of the original Broadway production.  A Harvard Historian also shares insight on the historical relevance and accuracy of the production.
2
During a school field trip, Ladybug and Cat Noir meet the American superheroes, whom they have to save from an akumatized super-villain. They will also discover that Miraculous exist in the United States, too.
1
Disney Channel fan-favorite stars take on a variety of zany characters and spooktacular spoofs in this sketch comedy show. Filmed remotely, and hosted by Tobie Windham (“Just Roll With It&rdquo, the cast transforms themselves and their homes for a hilarious party filled with wacky sketches, including a befuddled monster, a pet goldfish’s virtual celebration, and other ghostly surprises and treats for kids and families.
2
While times change and people grow, beloved family traditions make lifelong memories that cross generations and hold us together, especially over the festive period.  Lola and her granddaughter share a love of Disney and Christmas crafting, but over time their yearly ritual of making star lanterns begins to fade away. Looking back into Lola’s past and seeing her grandmother’s much-loved Mickey Mouse inspires her granddaughter to create a festive surprise that lights up her Christmas morning and renews their special bond. We hope you enjoy this special Christmas video, From Our Family to Yours.
5
David Morales, an Arizona high school principal and single dad, has lost the holiday spirit after also losing his wife a few years ago during the Christmas season. Now, David will do anything to avoid Christmas so he moonlights as a delivery driver during the holidays. But this year David’s 14-year-old daughter, Noel, and his live-in sister, Marissa, are determined to bring the yuletide spirit back to the family and, with a little luck, also help David find love again via online dating. So when Sophie, a witty musician and customer on David’s delivery route, swipes right on him, something magical happens between them.
2
Rex uses the age of dinosaurs as an example to give Forky an understanding on the concept of time.
0
Follow the adventures of eldest siblings Dolly and Dylan, their Mum Delilah and Dad Doug, and their 97 younger brothers and sisters as they embark on urban adventures and extreme sibling rivalry. Together, the pups explore growing up and finding their own spot inside the biggest, messiest, furriest blended family ever.
-1
Back to the Titanic documents the first manned dives to Titanic in nearly 15 years. New footage reveals fresh decay and sheds light on the ship’s future.
0
Phineas and Ferb travel across the galaxy to rescue their older sister Candace, who has been abducted by aliens and taken to a utopia in a far-off planet, free of her pesky little brothers.
1
Reaching 29,029 feet, Mount Everest has long captivated mountaineers of all stripes. But a peak that draws athletes and mountaineers to new heights isn’t without danger — or a dark side. Perhaps the peak’s greatest mystery is the missing body of Andrew “Sandy” Irvine who disappeared alongside George Leigh Mallory in 1924 just 800 vertical feet from the summit. In Lost on Everest, we follow along as a team of elite climbers with new intel on the location of his missing body set out to solve what may be mountaineering’s great mystery. Along with the body, the team hopes to find Irvine’s camera and the footage that could rewrite history.
-2
First-hand accounts of the planet's fiercest storms.
0
An epic journey around Mars — built from real satellite and rover data — revealing the red planet as you’ve never seen it before.
-1
Explorer Robert Ballard sets out to solve the mystery of Amelia Earhart's disappearance as he and a team of experts travel to the remote Pacific atoll named Nikumaroro in search of her final resting place.
-1
Film historian and prop collector Dan Lanigan reunites iconic Disney movie props with the filmmakers, actors, and crew who created and used them in some of Disney’s most beloved films. Throughout this journey, Dan will recover lost artifacts, visit private collections, and help restore pieces from the Walt Disney Archives to their original glory.
2
Mickey Go Local is a 2019 webcast animated series and also a locally-produced animated series exclusively for the Southeast Asian market. Though the episodes premiered on Disney Channel Asia's official YouTube channel, the series began airing on Disney Channel in Southeast Asia as interstitials.
0
The story of Ray-Ray McElrathbey, a freshman football player for Clemson University, who secretly raised his younger brother on campus after his home life became too unsteady.
-1
Two grown-ups claim to be experts on a topic and one of them is lying. It'll be up to our kid contestant to try and figure out which one is telling "the big fib."
-2
A non-verbal, autistic girl and a chatty boy are partnered on a canoeing trip. To complete their journey across an urban lake, they must both learn how the other experiences the world.
0
The series takes viewers into the secret life of one of the largest and most unique wildlife sanctuaries in the world – Chimp Haven—a 200-acre refuge tucked deep in the forested heart of Louisiana, which is home to more than 300 chimpanzees.
0
Dive into the waters below and watch the aquatic wildlife from the world of Nemo and Dory.
0
Inferno’s powers are stolen by a young and powerful villain and it’s up to the Secret Warriors to defeat their new foe and help their friend. But does Inferno even WANT his powers back? Meanwhile, America Chavez learns a lesson about friendship and family from teammate Ms. Marvel.
1
Secrets. Mysteries. And frightening magical beings. The small town of Castelcorvo is not as rested as it seems and just a bunch of brave knight can keep it safe. Four kids - Giulia, Riccardo, Betta and Matteo - will have to solve mysterious enigmas and face their greatest fears to become the paladins who fight the evil that lurks in Castelcorvo.
-1
Follow filmmakers as they capture the epic journey of African elephants across the Kalahari desert. The team faces extreme weather, inaccessible terrain, crocodile-infested waters and close encounters with lions in order to shine a light on these remarkable creatures and their ancient migrations.
1
Set in a world of magical realism, "Wind" sees a grandmother and her grandson trapped down an endless chasm, scavenging debris that surrounds them to realize their dream of escaping to a better life.
1
It seemed like just another day at the park for Maggie Simpson. But when Maggie faces playground peril, a heroic young baby whisks her from danger and steals her heart.
-1
Disneynature’s Elephant follows African elephant Shani and her spirited son Jomo as their herd make an epic journey hundreds of miles across the vast Kalahari Desert. Led by their great matriarch, Gaia, the family faces brutal heat, dwindling resources and persistent predators, as they follow in their ancestors’ footsteps on a quest to reach a lush, green paradise.
2
Dr. Hodges and Dr. Ferguson own and operate a bustling veterinary clinic.
0
North Carolina is home to the world's largest zoo, with 2,600 acres, large natural habitats and more than 1,800 animals in its care. The show features several Zoo staff, including keepers and veterinarians, and highlight stories, including routine animal husbandry, emergency procedures and the Zoo’s work in conservation and rescue and release of injured wildlife
0
On April 15, 2019 600 firefighters of the Paris Fire Brigade fought for over 7 hours to save the Notre Dame Cathedral from fire. In this stunning documentary, witness firefighters testimonies as they struggle to wage war. Looking to save the massive building from flames and save the relics inside, not only for Paris but for this structure that serves as a symbol of Paris for the world.
0
At the height of the Cold War, newly formed NASA selects seven of the military’s best test pilots to become astronauts. Competing to be the first in space, these men achieve the extraordinary, inspiring the world to turn towards a new horizon of ambition and hope.
2
In the Nagarhole Tiger Reserve, there is a kingdom named Kabini, which is home to a rogue confederation of animal tribes vying for dominance. But, a lone black panther named Saya is challenging the status quo by staking his claim to the throne.
-3
Outgoing 13-year-old Sydney is on the fast track to growing up, despite the goodhearted efforts of her protective father, Max. As Sydney attempts to spread her wings and make more decisions for herself, Max does everything he can to rein her in and keep her his little girl. But in so doing, his mother, Judy, is reminded of his own antics at Sydney's age, and the parallels -- illustrated by comical flashback sequences starring a young Max -- are both amusing and enlightening.
2
Gabby Duran, who constantly feels like she’s living in the shadows of her mother and younger sister, finally finds her moment to shine when she inadvertently lands an out-of-this-world job to babysit an unruly group of very important extraterrestrial children who are hiding out on Earth with their families, disguised as everyday kids.
2
Pip the penguin and Freddy the flamingo become the first non-stork employees for T.O.T.S (Tiny Ones Transport Service) who deliver babies to their parents.
0
The team behind Frozen II open their doors to cameras for a six-part documentary series to reveal the hard work, heart, and collaboration it takes to create one of the most highly-anticipated films in Walt Disney Animation Studios’ near-century of moviemaking. Cameras were there to capture an eye-opening - and at times jaw-dropping - view of the challenges and the breakthroughs, the artistry, creativity and the complexity of creating the #1 animated feature of all time.
1
Ironheart, AKA Riri Williams, is having difficulty adjusting to college life as the youngest student there when the college's engineering lab is demolished by an alien and her best friend is kidnapped. Inspired by Iron Man, she develops a plan to save her friend.
0
A brave and resourceful girl becomes a royal detective in India after solving a mystery that saved the kingdom's young prince.
1
Twelve-year-old overachiever Layne finds her orderly life thrown into a tailspin when she discovers a sophisticated talking car named “V.I.N.” hidden in an abandoned shed. With the help of her eccentric neighbor Zora, Layne embarks on a high-speed adventure filled with bad guys, secret agents and other surprises to unlock the mystery behind V.I.N.’s creation.
-1
A girl inherits the persona of The Rocketeer, and with the help of her gadget-building friend they tackle epic adventures.
0
Purl, an earnest ball of yarn, gets a job at a fast-paced, male-centered startup company. Things start to unravel as Purl tries to fit in with this tight-knit group, but she must ask herself how far is she willing to go to get the acceptance she yearns for and if, in the end, it is worth it.
3
On an average day, Greg's life is filled with family, love and a rambunctious little dog - but despite all of this, Greg has a secret. Today is different, though. With some help from his precocious pup, and a little bit of magic, Greg might learn that he has nothing to hide.
2
After years of toiling away inside the engine room of a towering locomotive, two antiquated robots will risk everything for freedom and for each other.
-1
A father discovers that his son floats, which makes him different from other kids.  To keep them both safe from the judgement of the world, Dad hides, covers, and grounds him. But when his son's ability becomes public, Dad must decide whether to run and hide or to accept his son as he is.
1
A live broadcast of the beloved animated Disney tale with live performances of the songs.
1
A chronicle of the making of Disneynature’s Dolphin Reef, the story of a young Pacific bottlenose dolphin named Echo. From wave surfing with dolphins in South Africa to dancing with humpback whales in Hawaii, filmmakers go to great lengths - and depths - to shed new light on the ocean’s mysteries.
0
On the day of Gwen’s “Battle of the Bands” competition, mysterious attacks force her and the Secret Warriors to investigate. Can they save the city and get Gwen to the concert on time?
-2
The cast of “High School Musical: The Musical: The Series” delivers an abundance of feel-good holiday cheer as they perform their favorite Christmas, Hanukkah and New Year’s songs and share their fondest holiday memories.
3
Hot on the trails of Sheath and Exile, Ghost-Spider teams up with the rest of the Secret Warriors to bring down the villains for good.
1
T.O.T.S. Junior Fliers, Pip and Freddy love nothing more than delivering cute baby animals to their forever families – but what happens after they deliver them? Pip and Freddy call up some of their favorite babies to see how they’ve been and sing a special song just for them!
3
The story of America's first astronauts, known as the Mercury 7, told through archival news & radio reports, newly transferred & previously unheard NASA mission audio recordings, and more rare & unseen material.
0
Magic of Disney’s Animal Kingdom gives viewers a backstage pass to explore the magic of nature within Disney’s Animal Kingdom Theme Park, Disney’s Animal Kingdom Lodge and The Seas with Nemo & Friends at EPCOT. Each episode dives into the details, unveiling the multifaceted aspects of animal care, conservation and Disney Imagineering and showcases the parks’ magnificent array of more than 300 species and 5,000-plus animals and the herculean tasks their animal care experts undertake to keep things running day and night.
3
Forky meets Rib Tickles and finds her charming and pleasant, only to be schooled by Rib on the dangers of law enforcement.
2
The lives of the Secret Warriors are turned upside down when faced with their latest mission: hang out with Shuri, the Crown Princess of Wakanda, and show her what it’s like to be an ordinary teenager. But nothing’s ordinary when you’re dealing with one of the smartest and most famous people on the planet.
2
A sitcom about fun-loving newlyweds and their polar-opposite stepsiblings gets an improvisational twist as members of the studio audience vote on the direction of key scenes in each episode.
-1
Hamm attempts to give Forky a lesson on how the US monetary system works.
1
A revealing look at the life of Victoria Gotti, the daughter of notorious mob boss John Gotti.
-1
Mickey and Pluto celebrate their loving friendship with lots of fun, as they pal-around Hot Dog Hills!
4
Two journalists traverse the Grand Canyon by foot, hoping this 750-mile walk will help them better
 understand one of America's most revered landscapes and the threats poised to alter it forever.
2
A new "treasure map" of the Maya world is transforming what we thought we knew of one of the world most mysterious ancient civilizations.
0
Remember and relive the songs that moved you from the movie Coco.
0
A look at NASA's Parker Solar Probe, which launched its mission to explore the sun in August 2018.
0
Explore the rich history of the Walt Disney Archives as legendary producer and host Don Hahn tours rarely seen areas of the department’s vast collections along with beloved Disney locations — including theme parks and the studio lot — through an engaging, historical lens.
4
As seen by the Viking gods, the fabled wildernesses of Norway, Finland and Sweden are revealed from the skies above.
0
Amelia Lewis is super excited when she buys an available storefront, planning to open a year-round Christmas shop. But her celebration comes to a screeching halt when she discovers that Vic Manning has also bid on the property. After continually bickering and trying to one-up each other, the two combatants learn to work together and even get the merchants on Main Street to put aside their differences for the greater good.
5
Four new species of this colourful yet overlooked group of reef dwellers have been found since 2008, a new study says.
0
Your favorite Seabrook monsters are back with all new mysteries no one saw coming. The story begins at Seabrook High, where zombies, werewolves, and humans are all co-existing happily. A new girl at school, Vanna, whom Addison immediately befriends, threatens to shake up the dynamic when they learn that she is not all that she seems.
-1
ESPN presents an overview of Deion "Prime Time" Sanders' attempt to play in both an NFL and MLB game in the same day.
0
Dwyane Wade's upcoming documentary provides a look at the highs and lows of the NBA superstar's life and career.
0
Hot Dog! Get mixed-up with Mickey and all of his pals in his new house in Hot Dog Hills!
2
In the mountains of Peru, an environmental scientist discovers ancient artifacts submerged beneath the headwaters of the Amazon; his findings could save this sacred landscape from mining devastation.
-1
In this gripping investigation, archaeologist Pepi Papakosta is on a hunt for Alexander the Great's lost tomb, and she makes an extraordinary discovery.
1
The Undefeated Presents: Hamilton In-Depth is a roundtable discussion with 9 stars and the director.
0
In celebration of the 50th anniversary of Earth Day, National Geographic presents BORN WILD: THE NEXT GENERATION hosted by “Good Morning America’s” co-anchor Robin Roberts. The one-hour television event presents stories of hope and gives viewers a revealing look at our planet’s next generation of baby animals and their ecosystems, which face daunting environmental changes. Filmed in stunning locations around the globe such as Australia, California, Hawaii, Minnesota, Sri Lanka and Kenya, National Geographic Explorers and ABC News correspondents take viewers on a journey to fascinating, breathtaking environments to witness and celebrate the diversity and splendor of charismatic baby animals, their families and habitats. The special is a worldwide celebration of our vibrant planet and the animals that inhabit it.
8
As the iconic voice of Goofy and Pluto for more than 30 years, Disney Legend Bill Farmer steps out from behind the microphone to meet his own favorite characters — dogs! Join Bill as he crosses the country meeting dogs doing incredible work!
2
A routine drone survey turns deadly when Ryan Johnson, a marine biologist based in South Africa, films a humpback whale being attacked and strategically drowned by a Great white shark. This is a total perspective shift on a creature he's spent his life studying. To make sense of this event, Ryan follows Humpback whales on their migration, mapping their weak spots. He also takes a new look at Great White sharks. How do they become whale killers?
-3
An investigation into the mysterious people who built Machu Picchu, the 15th-century Inca citadel located in southern Peru.
-1
It all starts with one question: How will you make the world a better place? From household names to rising stars, meet the women who are changing our world. They live among primates in the jungle...dive the oceans for clues to the health of our planet, discover our human origins in African caves, and test new technologies in outer space. They break glass ceilings in newsrooms, boardrooms, courtrooms and classrooms. Women are reshaping our world, and how we see it, and here are their stories!
-1
Maya legend tells us that there is a hidden underground cave below Chichen Itza, now high tech archaeologists are here to find the buried truth.
-1
In picturesque rural Nebraska, the husband and wife veterinary team of Drs. Ben and Erin Schroeder cares for the region's many animals in need.
1
Documentary examines how ancient civilizations built iconic monuments that align with the sun on the same day.
0
The series follows a team of archaeologists led by Ramadan Hussein from Germany’s Eberhard Karls University of Tübingen, in conjunction with Egypt’s Ministry of Tourism and Antiques, as they uncover the country’s first known fully intact funeral home.
1
In the early 1990s, the future of basketball belonged to a young Dominican immigrant named Felipe Lopez. Featured on the cover of Sports Illustrated at the age of 17, Lopez's story is the ultimate profile of the American dream.
0
Raven-Symoné virtually hosts the challenge, which features "ZOMBIES 2" stars competing in a holiday adventure through Magic Kingdom Park. After iconic Disney villains Maleficent and Evil Queen steal holiday magic, the stars must overcome obstacles and complete challenges to restore the joy of the season.
-1
Experience the world of Disney’s Frozen as never before with Walt Disney Animation Studios’ animated short film, Myth: A Frozen Tale. In a forest outside of Arendelle, a family sits down for a bedtime story and is transported to a mystical and enchanted forest where the elemental spirits come to life and the myth of their past and future is revealed.
-3
Marine biologist Kori Garza and underwater cinematographer Andy Casagrande journey to French Polynesia to track Kamakai, one of the largest tiger sharks on record.
-1
India's wildcats have been symbols of strength & royalty since the ancient times. Despite the reverence they evoke and their own adaptability & prowess, these cats have been pushed to the brink. Yet, they are the last hope for protecting the country's wild spaces. Two years in the making, 'Wild Cats of India' has journeyed across country's contrasting landscapes with an ambition to paint an intimate portrait of the intriguing lives of wildcats.
3
Returning for a third iteration, “The Disney Holiday Singalong” features more music and magic just in time for the holidays. The one-hour festive musical event includes star-studded performances, animated on-screen lyrics, more favorite Disney melodies and classic holiday songs.
4
"Prairie Dog Manor" gives an in depth look at the unique behaviors and relationships between the Prairie Dogs that inhibit the Valles Caldera National Preserve in northern New Mexico.
-1
Picture a land of boulder-strewn shorelines, isolated mountaintops, and golden prairies. Here, packs of wolves stalk herds of ancient mustangs and tree-climbing carnivores keep entire forests on edge. Meanwhile, high above the crashing surf, a pair of storks attempts to raise a family on a narrow ledge atop a towering cliff. EUROPE'S WILD WEST is a place where survival is reserved for those with the keenest senses... and the quickest draw.
-1
Extreme footage and surviving witnesses bring to life the terrifying reality of what it is like to experience outright disaster.
0
The story of Queen Elizabeth II from those who know her best.
1
Prosthetics expert Derrick Campana offers hope and healing for animals and their human families.
0
This year Disney Channel is helping kids around the world get into the holiday spirit with a new special and we have all the details on how you can watch the Disney Channel Holiday House Party on TV or online.  The Disney Channel Holiday House Party is a new holiday-themed sketch comedy show that will feature all of your favorite Disney Channel stars participating remotely from their homes. The special will be hosted by Miranda May from the Disney Channel original series Bunk'd and will star Raphael Alejandro, Suzi Barrett, Issac Ryan Brown, Kylie Cantrall, Scarlett Estevez, Kaylin Hayman, Ramon Reed, Trevor Tordjman, Ruby Rose Turner and Tobie Windham.
1
At the height of the COVID-19 crisis, National Geographic Explorer, Chris Golden, and ABC News foreign correspondent, James Longman, embark on an epic worldwide journey to figure out how to stop the next pandemic, before it’s too late.
0
Using original excavation data combined with cutting edge computer graphics, we recreate the grave of a mighty viking warrior woman as never seen before.
1
Santa and Mrs. Claus, played by “Entertainment Tonight’s” Kevin Frazier and Nischelle Turner, respectively, enlist the help of Disney Channel stars to save the holidays from Ebenezer Scrooge (“Raven’s Home” star Anneliese van der Pol). The stars take on a series of zany holiday-themed challenges to lift her evil curse on Christmas.
-2
An elite search and rescue team battles to rescue people trapped by record-breaking Tropical Storm Imelda as it tears through Texas.
0
Marine biologist Dr. Austin Gallagher searches for the holy grail of shark research -- the secret breeding grounds of tiger sharks.
-1
An incredible, no holds barred look at some of the most shocking and intense life or death rescues, standoffs, animal saves and close calls from across the country and beyond. The series highlights human and animal rescues carried out by both professional and citizen heroes, with stories told through footage captured on cell phones, bodycams, dashcams, and security cameras that showcase the outrageous, at times comical, and often unimaginable rescues happening every day.
-4
In the secluded isolation of Christmas Island, crabs have become the guardians of a lush rainforest kingdom. The robber crab is an unruly king, with a meter-wide leg-span and claws that can open a coconut. As we follow the robber’s life cycle, we learn that crabs are much more than creepy crawlies.
-2
An exclusive look into the making of High School Musical: The Musical: The Series.
0
A small leopard with aquamarine eyes learns the fundamental skills of survival during her first three years.
2
Stories of people, including First Nations people, who live off the grid in remote regions of Northern Canada, and how they spend their day-to-day lives.
0
The Green Family is hosting SHORTSGIVING, a special featuring your favorite shorts from The Owl House, Amphibia & Phineas And Ferb, plus a never-before-seen treat.
1
Shark scientist Dr. Michael Heithaus embarks on a mission to reveal the mysterious connection between sharks and volcanoes.
-3

0
Exploring the private lives of sharks as they hunt, rest, clean and reproduce.
0
Dr. Lauren Thielen (Dr. T) is back home in Texas to open her very own exotic animal practice, located alongside one of the state's largest and busiest animal hospitals. With the support of the ER staff and more than a dozen specialists, she treats everything from emus to hedgehogs and everything in between!
1
India may be the land of the Tiger, but it is also home to masters of stealth that prowl the deepest of jungles and the highest of mountains. Journey to Ladakh in the Himalaya in search of Snow Leopards - the ghost of the mountains. Then venture into the realm of the smallest of big cats - the Clouded Leopard in the jungles of north east India. Wildlife Cameraman and National Geographic Fellow, Sandesh Kadur is on a mission to uncover their secretive lives.
0
We know Bull Sharks swim upriver and we know they hunt in the sea. But we've never been able to see it all like this. We see them attack and consume other sharks. We watch their shady hunts in the deep. We follow them up freshwater rivers to pupping grounds. We see them hunt shoals of fish from drones above and we watch as they clash with hippos and crocodiles.
-4
In the shadow of the pyramids, an elite team of archaeologists embark on an extraordinary excavation. Could this secret site reveal startling new evidence about the great pharaohs who built these majestic monuments?
3
Paige Winter lost a leg and part of her hand to a shark when she was 17 and experts investigate her attack to determine what kind of shark was the responsible and how to avoid it in the future.
-4
Amber Kemp-Gerstel shares her passion for crafting with young families in a series of Disney-inspired DIY projects.
1
Doc McStuffins meets real kids, families, doctors and nurses as they learn how fun and easy it is to have healthy habits!
3
They've shared the ocean for thousands of years, but scientists have only begun to understand the relationship between SHARKS and DOLPHINS. New research allows us to peer into this incredible drama; redefining everything we thought we knew about sharks. They're stereotyped as independent loners, serial killers of the sea-but we've observed them hunting in teams, learning, and even passing on knowledge to fellow sharks.
-4
This documentary features the band performing their favourite classic Disney tracks, along with information on Perfume’s life stories, their passion for music, giving details of their favourite Disney memories and much more.
2
The world's leading scientists and cinematographers relive 5 extraordinary shark feeding events. From being surrounded at night by 700 grey reek sharks, a 300-strong gathering of blacktip, dusky and bronze sharks feeding on thousands of bait fish, to the spectacular sight of more than 200 blue sharks feeding on the carcass of a seven ton whale; the Great Shark Chow Down is an epic celebration of sharks from around the world.
-2
Experience the wildlife of the Okavango Delta, an oasis and lush paradise in Southern Africa that connects a wide array of creatures. Lions chase elephants, who chase hippos, who chase crocodiles.
3
THE HIDDEN KINGDOMS OF CHINA takes audiences into the secret wilds of China to reveal the beauty of its hidden kingdoms. With unique access to locations across the country, viewers go on a journey through these magical realms, exploring five very different worlds. "Stars" of these kingdoms include iconic and charismatic animals, sharing their worlds with other fascinating creatures.
3
Jeremiah tries to create a shark suit to be able to safely be in the water with sharks. Very beautiful shots with him and his crew.
0
The story of some of the people on the Polcevera Bridge on the day of its collapse, investigating what caused the bridge to fail so catastrophically.
-3
A boy raps about wanting a puppy for Hanukkah.
0
With shark attacks on the rise worldwide surfers are taking the brunt of the bites. To understand why a one hour SharkFest special relives the most harrowing of shark vs surfer stories from the world's deadliest shark infested surf beaches. Using unbelievable caught on camera encounters and interviews from the victims themselves we answer the question once and for all: Are we really in danger?
-7
In the night of April 15, 2019, Notre-Dame de Paris was burning at her very heart. 'Saving Notre-Dame' captures unique human stories facing extreme situations and bears witness to the progress and challenges of this once in a life mission.
0
Survival in the Caribbean islands of Cuba and Hispaniola requires adaptation. Over time, new species, such as the solenodon, have formed.
1
Experience the story of the airmen that seismically shifted the Allies fortunes during World War II, known as the Mighty Eighth Airforce. Featuring never before seen archival footage, ride in the cockpits of the planes that destroyed Hitler's menacing Airforce; The Luftwaffe. They will fly dangerous missions, announcing their arrival into Germany with thousands of white vapor trails and dogfight with Nazi pilots, dropping bombs on the Reich. This is the Real True Story of the Mighty Eighth.
0

0
With shark experts from around the world, evidence is examined of sharks eating sharks.
-3
Prepare to be awed by the once-in-a-lifetime meeting experienced by a group of divers and photographers in Hawaii, who hung out near a sperm whale carcass to photograph the tiger sharks who came to feed. Suddenly, everything went quiet, and the tiger sharks vanished. A gigantic shadow appeared in the distance. On the program, Dr. Chris Lowe, director of the Shark Lab at California State University at Long Beach, speaks of "dining etiquette" among sharks, which calls for smaller sharks to get out of the way when a bigger shark comes to feed. Sure enough, that shadow proved to be a much bigger shark, and a more famous one than the Hawaiian photographers ever dreamed they'd see in person: Deep Blue. What's more, they would soon learn that Deep Blue may have brought her squad with her. The three great whites encountered and photographed by Kimberly Jeffries, Mark Mohler and Andrew Gray are there for one reason: to chow down at the whale buffet. They express mild curiosity toward their human fans - and one of them does nibble at the boat - but clearly mean them no harm.
-3
If viewers have never seen a hairless rat with a pustule on its neck, or a plump fair pig with an abscess on its rump, they are in for a treat as some of National Geographic's most renowned and beloved vets work to drain some of the worst abscesses they have ever seen. From the office to the field, no pustule or abscess will go undrained.
1
An investigative journey set in the heart of the Aegean Sea. A team of archaeologists unveil what may be the world's oldest maritime sanctuary.
0
The 'Bad Batch' of elite and experimental clones make their way through an ever-changing galaxy in the immediate aftermath of the Clone Wars.
1
Queen Ramonda, Shuri, M’Baku, Okoye and the Dora Milaje fight to protect their nation from intervening world powers in the wake of King T’Challa’s death.  As the Wakandans strive to embrace their next chapter, the heroes must band together with the help of War Dog Nakia and Everett Ross and forge a new path for the kingdom of Wakanda.
1
The tale of the burgeoning rebellion against the Empire and how people and planets became involved. In an era filled with danger, deception and intrigue, Cassian Andor embarks on the path that is destined to turn him into a rebel hero.
0
While searching for history's greatest treasure, Jess Valenzuela unburies her family's secret past.
2
Intrepid scientists and lovers Katia and Maurice Krafft died in a volcanic explosion doing the very thing that brought them together: unraveling the mysteries of volcanoes by capturing the most explosive imagery ever recorded.
-2
Many years after the events of the original film, legendary sorcerer Willow leads a group of misfit heroes on a dangerous rescue mission through a world beyond their wildest imaginations.
1
During the reign of the Galactic Empire, former Jedi Master, Obi-Wan Kenobi, embarks on a crucial mission to confront allies turned enemies and face the wrath of the Empire.
-2
When Steven Grant, a mild-mannered gift-shop employee, becomes plagued with blackouts and memories of another life, he discovers he has dissociative identity disorder and shares a body with mercenary Marc Spector. As Steven/Marc’s enemies converge upon them, they must navigate their complex identities while thrust into a deadly mystery among the powerful gods of Egypt.
-4
After stealing the Tesseract during the events of “Avengers: Endgame,” an alternate version of Loki is brought to the mysterious Time Variance Authority, a bureaucratic organization that exists outside of time and space and monitors the timeline. They give Loki a choice: face being erased from existence due to being a “time variant” or help fix the timeline and stop a greater threat.
-3
Bounty hunter Boba Fett and mercenary Fennec Shand navigate the underworld when they return to Tatooine to claim Jabba the Hutt's old turf.
0
Jennifer Walters navigates the complicated life of a single, 30-something attorney who also happens to be a green 6-foot-7-inch superpowered hulk.
-1
Wanda Maximoff and Vision—two super-powered beings living idealized suburban lives—begin to suspect that everything is not as it seems.
-1
Documentary about the music group The Beatles featuring in-studio footage that was shot in early 1969 for the 1970 feature film 'Let It Be.'
0
Global movie star Chris Hemsworth, despite being in peak superhero-condition, is on a personal mission to learn how to stay young, healthy, strong, and resilient. Undergoing a series of epic trials and extraordinary challenges, he’ll learn firsthand how we can live better for longer by discovering ways to regenerate damage, maximize strength, build resilience, supercharge memory and confront mortality.
3
A bank teller called Guy realizes he is a background character in an open world video game called Free City that will soon go offline.
1
After his retirement is interrupted by Gorr the God Butcher, a galactic killer who seeks the extinction of the gods, Thor Odinson enlists the help of King Valkyrie, Korg, and ex-girlfriend Jane Foster, who now wields Mjolnir as the Mighty Thor. Together they embark upon a harrowing cosmic adventure to uncover the mystery of the God Butcher’s vengeance and stop him before it’s too late.
-4
A great student, avid gamer, and voracious fan-fic scribe, Kamala Khan has a special affinity for superheroes, particularly Captain Marvel. However, she struggles to fit in at home and at school — that is, until she gets superpowers like the heroes she’s always looked up to. Life is easier with superpowers, right?
7
Former Avenger Clint Barton has a seemingly simple mission: get back to his family for Christmas. Possible? Maybe with the help of Kate Bishop, a 22-year-old archer with dreams of becoming a superhero. The two are forced to work together when a presence from Barton’s past threatens to derail far more than the festive spirit.
2
An inside look at one of the most anticipated movie sequels ever with James Cameron and cast.
0
Doctor Strange, with the help of mystical allies both old and new, traverses the mind-bending and dangerous alternate realities of the Multiverse to confront a mysterious new adversary.

HEREs where your content goes.
-5
Thirteen-year-old Mei is experiencing the awkwardness of being a teenager with a twist – when she gets too excited, she transforms into a giant red panda.
-1
TV series centering on Marvel Cinematic Universe characters Falcon and The Winter Soldier.
1
Exploring pivotal moments from the Marvel Cinematic Universe and turning them on their head, leading the audience into uncharted territory.
2
A facetious coming-of-age fable that ends with a cheeky moral: what if allegedly "bad girls" were the best?
-1
A new documentary that showcases the making of the epic limited series. Features never-before-seen, behind-the-scenes footage, interviews and visits to the creature shop and props department.
-1
A journey deep into an uncharted and treacherous land, where fantastical creatures await the legendary Clades—a family of explorers whose differences threaten to topple their latest, and by far most crucial, mission.
-2
A puppet is brought to life by a fairy, who assigns him to lead a virtuous life in order to become a real boy.
1
Four gifted orphans are recruited by an eccentric benefactor to go on a secret mission. Placed undercover at a boarding school known as The Institute, they must foil a nefarious plot with global ramifications, while creating a new sort of family along the way.
-2
On a dark and somber night, a secret cabal of monster hunters emerge from the shadows and gather at the foreboding Bloodstone Temple following the death of their leader. In a strange and macabre memorial to the leader’s life, the attendees are thrust into a mysterious and deadly competition for a powerful relic—a hunt that will ultimately bring them face to face with a dangerous monster.
-10
On a mission to make Christmas unforgettable for Quill, the Guardians head to Earth in search of the perfect present.
2
After nearly three decades of being Santa Claus, Scott Calvin’s magic begins to falter. As he struggles to keep up with the demands of the job, he discovers a new clause that forces him to rethink his role as Santa and as a father.
-1
Granted unparalleled access, Academy Award®-nominated filmmaker Lawrence Kasdan takes viewers on an adventure behind the curtains of Industrial Light & Magic, the special visual effects, animation and virtual production division of Lucasfilm. Learn what inspired some of the most legendary filmmakers in Hollywood history, and follow their stories from their earliest personal films to bringing George Lucas’ vision to life.
3
Revisit the epic heroes, villains and moments from across the MCU in preparation for the stories still to come. Each dynamic segment feeds directly into the upcoming series — setting the stage for future events. This series weaves together the many threads that constitute the unparalleled Marvel Cinematic Universe.
4
Disillusioned with life in the city, feeling out of place in suburbia, and frustrated that her happily ever after hasn’t been so easy to find, Giselle turns to the magic of Andalasia for help. Accidentally transforming the entire town into a real-life fairy tale and placing her family’s future happiness in jeopardy, she must race against time to reverse the spell and determine what happily ever after truly means to her and her family.
2
In present day Minnesota, the Mighty Ducks have evolved from scrappy underdogs to an ultra-competitive, powerhouse youth hockey team. After 12-year-old Evan is unceremoniously cut from the Ducks, he and his mom Alex set out to build their own ragtag team of misfits to challenge the cutthroat, win-at-all-costs culture of competitive youth sports.
-1
29 years since the Black Flame Candle was last lit, the 17th-century Sanderson sisters are resurrected, and they are looking for revenge. Now it's up to three high school students to stop the ravenous witches from wreaking a new kind of havoc on Salem before dawn on All Hallow's Eve.
-1
A chronicle of the enthralling, against-all-odds story that transfixed the world in 2018: the daring rescue of twelve boys and their coach from deep inside a flooded cave in Northern Thailand.
0
Eric returns to Cape Qwert to solve the mystery of his parents' disappearance. Back in this town, he will meet friends and foes and will have to unveil the mysteries of the town's horror-themed amusement park.
-3
Nick Daley is following in his father's footsteps as night watchman at the American Museum of Natural History, so he knows what happens when the sun goes down. But when the maniacal ruler Kahmunrah escapes, it is up to Nick to save the museum once and for all.
-1
The series follows Lightning McQueen and Mater going on the road trip where they will meet new and old characters.
0
Legendary Space Ranger Buzz Lightyear embarks on an intergalactic adventure alongside a group of ambitious recruits and his robot companion Sox.
2
Take a look inside the minds of elite adventure athletes through transformative stories about facing fear, personal loss, and Mother Nature.
-1
A temperamental college basketball coach who gets fired from his job and must take a teaching and coaching job at an elite all-girls private high school.
1
Natasha Romanoff, also known as Black Widow, confronts the darker parts of her ledger when a dangerous conspiracy with ties to her past arises. Pursued by a force that will stop at nothing to bring her down, Natasha must deal with her history as a spy and the broken relationships left in her wake long before she became an Avenger.
-4
Following the events of “Guardians of the Galaxy Vol. 1,” Baby Groot is finally ready to try taking his first steps out of his pot—only to learn you have to walk before you can run.
1
Shang-Chi must confront the past he thought he left behind when he is drawn into the web of the mysterious Ten Rings organization.
-2
Candela works at a logistics company while she pursues her dream of becoming a singer. Her life changes one night when a multinational record company executive hears her sing in a bar. That same night, Candela meets up with Diego, an old high school classmate of hers who is fighting to be a professional boxer.
1
Two youngsters from rival New York City gangs fall in love, but tensions between their respective friends build toward tragedy.
-3
The untold story of the Abbey Road studio, all-star interviews and intimate access to the premises.
1
The Eternals are a team of ancient aliens who have been living on Earth in secret for thousands of years. When an unexpected tragedy forces them out of the shadows, they are forced to reunite against mankind’s most ancient enemy, the Deviants.
-3
The story of Shiva – a young man on the brink of an epic love, with a girl named Isha. But their world is turned upside down when Shiva learns that he has a mysterious connection to the Brahmāstra... and a great power within him that he doesn’t understand just yet - the power of Fire.
1
Gonzo is challenged to spend one night in The Haunted Mansion on Halloween night.
0
Tells the story of the last months of the 20-year war in Afghanistan through the intimate relationship between American Green Berets and the Afghan officers they trained.
1
The tale of an extraordinary family, the Madrigals, who live hidden in the mountains of Colombia, in a magical house, in a vibrant town, in a wondrous, charmed place called an Encanto. The magic of the Encanto has blessed every child in the family—every child except one, Mirabel. But when she discovers that the magic surrounding the Encanto is in danger, Mirabel decides that she, the only ordinary Madrigal, might just be her exceptional family's last hope.
6
Dr. Lily Houghton enlists the aid of wisecracking skipper Frank Wolff to take her down the Amazon in his dilapidated boat. Together, they search for an ancient tree that holds the power to heal – a discovery that will change the future of medicine.
0
A ground-breaking immersive competition series that drops 8 young people into the fantastic, fictional world of Everealm, where they must save a Kingdom by fulfilling an ancient prophecy.
0
After emigrating to Greece from Nigeria, Vera and Charles Antetokounmpo struggled to survive and provide for their five children, while living under the daily threat of deportation. Desperate to obtain Greek citizenship but undermined by a system that blocked them at every turn, the family's vision, determination and faith lifted them out of obscurity to launch the careers of three NBA champions.
-3
The Indigenous Uru-eu-wau-wau people have seen their population dwindle and their culture threatened since coming into contact with non-Native Brazilians. Though promised dominion over their own rainforest territory, they have faced illegal incursions from environmentally destructive logging and mining, and, most recently, land-grabbing invasions spurred on by right-wing politicians like President Jair Bolsonaro. With deforestation escalating as a result, the stakes have become global.
0
Each episode analyzes and passes verdicts on several seemingly impossible things “caught on film,” including giant beasts, UFOS, apocalyptic sounds, hairy humans, alleged mutants from the deep, conspiracies, and many other cases. Host and veteran journalist Tony Harris takes nothing for granted in a quest for answers, tracking down eyewitnesses, putting each photo or film through a battery of tests, calling out the hoaxes, and highlighting the most credible evidence in an attempt to better understand our world.
-2
Return to the fantastical city of San Fransokyo where the affable, inflatable, inimitable healthcare companion robot, Baymax, sets out to do what he was programmed to do: help others.
1
A coming of age story set in the late 1960s that takes a nostalgic look at a black middle-class family in Montgomery, Alabama through the point-of-view of imaginative 12 year-old Dean. With the wisdom of his adult years, Dean’s hopeful and humorous recollections show how his family found their “wonder years” in a turbulent time. Inspired by the classic series of the same name.
5
Zed and Addison are beginning their final year at Seabrook High in the town that’s become a safe haven for monsters and humans alike. Zed is anticipating an athletic scholarship that will make him the first Zombie to attend college, while Addison is gearing up for Seabrook’s first international cheer-off competition. Then suddenly, extraterrestrial beings appear around Seabrook, provoking something other than friendly competition.
0
Utilizing the latest scientific innovations and leading-edge filmmaking technology, this documentary reveals the secret powers and super-senses of the world’s most extraordinary animals, and invites viewers to see and hear beyond normal human perception to experience the natural world as a specific species does — from seeing flowers in bee-vision to eavesdropping on a conversation between elephant seals to soaring the length of a football field with glow-in-the-dark squirrels.
2
A family of raucous supervillains who recently ran afoul of the League of Villains and now must somehow beat a path to normalcy in a small Texas town.
0
In 1970s London amidst the punk rock revolution, a young grifter named Estella is determined to make a name for herself with her designs. She befriends a pair of young thieves who appreciate her appetite for mischief, and together they are able to build a life for themselves on the London streets. One day, Estella’s flair for fashion catches the eye of the Baroness von Hellman, a fashion legend who is devastatingly chic and terrifyingly haute. But their relationship sets in motion a course of events and revelations that will cause Estella to embrace her wicked side and become the raucous, fashionable and revenge-bent Cruella.
-1
A celebration of the natural wonder and power of nature in our backyard. From iconic places to secret gems, this series will open the gateways for all to explore the breadth of the beauty and tranquility
5
A hand-drawn animated short centered on Grogu by Studio Ghibli.
0
Decades since their successful television series was canceled, Chip has succumbed to a life of suburban domesticity as an insurance salesman. Dale, meanwhile, has had CGI surgery and works the nostalgia convention circuit, desperate to relive his glory days. When a former cast mate mysteriously disappears, Chip and Dale must repair their broken friendship and take on their Rescue Rangers detective personas once again to save their friend’s life.
0
In a world where walking, talking, digitally connected bots have become children's best friends, an 11-year-old finds that his robot buddy doesn't quite work the same as the others do.
2
A married couple tries to steal back a valuable heirloom from a troublesome kid.
-1
We Feed People spotlights renowned chef José Andrés and his nonprofit World Central Kitchen’s incredible mission and evolution over 12 years from being a scrappy group of grassroots volunteers to becoming one of the most highly regarded humanitarian aid organizations in the disaster relief sector.
2
A collection of mini shorts starring some of your favorite Pixar characters in all-new, bite size stories.
1
A series of shorts that follows the humorous misadventures of Dug, the lovable dog from Disney and Pixar’s “Up.” Each short features everyday events that occur in Dug's backyard, all through the exciting (and slightly distorted) eyes of our favorite talking dog.
3
Explore the evolution of Buzz Lightyear from toy to human in the making of Pixar’s Lightyear. Dive into the origin and cultural impact of everyone’s favorite Space Ranger, the art of designing a new “human Buzz,” and the challenges faced by the Lightyear crew along the way.
1
Luca and his best friend Alberto experience an unforgettable summer on the Italian Riviera. But all the fun is threatened by a deeply-held secret: they are sea monsters from another world just below the water’s surface.
2
When Lupe is 22 years old, her life suddenly changes after she learns that her father, a famous Colombian singer-songwriter, has died. Upon arriving in Colombia, Lupe meets Noah, a mysterious character who turns out to be her father's assistant. Instead of returning to Mexico, Lupe decides to stay as she suspects that the musician's death was not an accident. Together with Noah, she will embark on a musical adventure full of danger, mystery and romance, in the Caribbean region of Colombia.
-5
Behind The Attraction takes viewers into the history of how popular Disney attractions and destinations came to be, how they have changed over time, and how fans continue to obsess over them.
3
During the same summer as Woodstock, over 300,000 people attended the Harlem Cultural Festival, celebrating African American music and culture, and promoting Black pride and unity. The footage from the festival sat in a basement, unseen for over 50 years, keeping this incredible event in America's history lost — until now.
2
Everybody needs some alone time to relax and wash up, but things go quite differently when you’re a Flora Colossi toddler.
0
A detective solves crimes with the help of an oversized dog. TV adaptation of the 1989 film 'Turner and Hooch'.
-1
Follow the adventures and misadventures of newly 14-year-old Penny Proud and her family as they navigate modern life with hilarity and heart. The 2020s bring a new career for mom Trudy, wilder dreams for dad Oscar and new challenges for Penny, including a socially woke neighbor who thinks she has a lot to teach her.
2
Long ago, in the fantasy world of Kumandra, humans and dragons lived together in harmony. But when an evil force threatened the land, the dragons sacrificed themselves to save humanity. Now, 500 years later, that same evil has returned and it’s up to a lone warrior, Raya, to track down the legendary last dragon to restore the fractured land and its divided people.
-2
Lahela "Doogie" Kamealoha is a teenaged wunderkind juggling her teenager life with an early medical career.
0
This remake of the beloved classic follows the raucous exploits of a blended family of 12, the Bakers, as they navigate a hectic home life while simultaneously managing their family business.
0
Ryota Moriyama, a senior at Kyoritsu University, receives a job offer at a first-rate company but gets dumped by Saki Nishino. His professor tells him that he can graduate on the condition that he joins the sumo club and competes in at least one match. With only a single member, Honoka Oba, for the past two years, the sumo club is on the brink of collapse. In order to graduate, Ryota endures Honoka’s strict training methods and starts to recruit other members.
-2
Showcases Cesar Millan as he takes on the most challenging cases yet, treating a host of new canine behavioral issues impacted by well-intentioned but impulsive owners.
-2
A once-in-a-lifetime live, global original concert event offering fans from around the world a front-row seat to witness the groundbreaking magic of the Rocket Man back at Dodger Stadium and showcasing Elton John as audiences have never seen him before, paying tribute to the icon and the seminal moment in 1975 that cemented his global success.
3
Ever since he was a kid, Tylor Tuskmon has dreamed of becoming a Scarer just like his idol James P. Sullivan, and now that dream is about to come true... or not. The day he arrives at Monsters Incorporated to begin his dream job as a Scarer, he learns that scaring is out and laughter is in! After being reassigned to the Monsters, Inc. Facilities Team, Tylor sets his sights on a new goal: figuring out how to be funny and becoming a Jokester.
-1
Will Smith travels to the extreme ends of the earth from active volcanoes to deep ocean adventures.
0
13-year-old Nate Foster has big Broadway dreams but there’s only one problem — he can’t even land a part in the school play. When his parents leave town, Nate and his best friend Libby sneak off to the Big Apple for a once-in-a-lifetime opportunity to prove everyone wrong. A chance encounter with Nate’s long-lost Aunt Heidi turns his journey upside-down, and together they must learn that life’s greatest adventures are only as big as your dreams.
-1
Groot discovers a miniature civilization that believes the seemingly enormous tree toddler is the hero they’ve been waiting for.
1
This two-hour animated and live-action blended special pays tribute to the original Disney Animation’s “Beauty and the Beast” and its legacy by showcasing the fan-favorite movie, along with new memorable musical performances, taking viewers on a magical adventure through the eyes of Belle.
3
A writer loses a very important idea when her phone rings. Personified as golden light, this lost idea is found by the writer’s inner child, who takes us on a journey through The World of Imagination. It is easy to lose touch with this world, but each of us can be inspired by it—if we just remember.
0
A taped performance of the Encanto Live-to-Film Concert Experience at the Hollywood Bowl. The original cast puts on a miracle of a concert as they sing the favorite songs, accompanied by a full orchestra and 50 person ensemble, and the Hollywood Bowl transforms into Casita!
2
A desperate love story between Young-ro, a youthful female freshman student, and Soo-ho, a prestigious but mysterious university graduate, who one day jumps into her room, at a women's university dormitory, covered in blood from running away of a dangerous situation. Despite the strict surveillance, she helps him on hiding and healing which develops their relationship that goes against the tragic era of 1987 in Seoul.
-2
Exploring the evolution of Black Panther from the comic emerging in the 1960s to the film the world fell in love with in 2018; director Ryan Coogler; Whoopi Goldberg interviews Chadwick Boseman's widow, Simone Ledward Boseman.
0
Allegra dreams of joining the Eleven O' Clock music hall company, but her mother, Caterina, won't accept that. Allegra's life changes drastically when she finds a mysterious bracelet that takes her to 1994, the year Caterina was her age and was starting her career in Eleven O' Clock while she lived in Coco's shadow. Cocó is Allegra's grandmother. Will Allegra be able to change the past?
-2
On the 10th anniversary of Violetta’s release, Tini gets together with her former castmates to celebrate, giving her fans an intimate, unique, and unforgettable show. Tini, Jorge Blanco, Candelaria Molfese, and Mercedes Lambre gave the audience a night to remember with their new versions of five of the show’s songs.
3
Scrat experiences the ups and downs of fatherhood, as he and the adorable, mischievous Baby Scrat, alternately bond with each other and battle for ownership of the highly treasured Acorn.
0
An exclusive look inside Latin music's most influential family, the Montaners, who have a social media audience of over 160 million and over eight billion video content views.
1
Loki is banished from Asgard once again and must face his toughest opponents yet: the Simpsons and Springfield’s mightiest heroes. The God of Mischief teams up with Bart Simpson in the ultimate crossover event paying tribute to the Marvel Cinematic Universe of superheroes and villains.
1
THE FLAGMAKERS is a film about the unexpected people who make the American flag and invites us to ask the question: who is America and who is the American flag for?
-1
The fearless one-eyed weasel Buck teams up with mischievous possum brothers Crash & Eddie as they head off on a new adventure into Buck's home: The Dinosaur World.
-1
A boy and his family moving into a supposedly haunted hotel on the edge of a small town.
0
This Christmas, Homer surprises Marge with the ultimate gift: an unforgettable performance from Italian opera superstar Andrea Bocelli and his children Matteo and Virginia.
1
David Beckham is joining up with Westward Boys, an under 14's grassroots side from East London who are in desperate need of help. Westward have not won a game all season, and the threat of being relegated looms large. David is going to have to draw on all of his years of experience in the game if he’s going to stand a chance of saving them from relegation.
-1
A glimpse into infectious disease specialist, Dr. Anthony Fauci who has led the U.S. fight against every epidemic the country has faced from AIDS to SARS to Ebola, and the ongoing COVID-19.
0
Follow Peter Parker, Gwen Stacy, and Miles Morales and their adventures as the young heroes team up with Hulk, Ms. Marvel, and Black Panther to take down foes like Rhino, Doc Oock, and Green Goblin.
2
It's the land we love and the land we think we know. We see America's breathtaking landscapes and wildlife as timeless, but the truth is very different. Its unique geography drives the forces of nature to extremes, shaping and reshaping the land and throwing down new challenges for life.
2
Rowena "Ro" is a high-spirited 11-year-old hoping to add more spunk to her Christmas celebrations when her parents’ divorce is going anything but smoothly.
3
Bear Grylls is taking it up a level by teaching his celebrity guests essential survival skills that they'll have to master and then prove they can use in a high stress situation.
2
Four teenage friends, on the French-Swiss border, whose lives are turned upside down by an experiment of the LHC, the world's biggest particle collider.
0
Groot sets out to paint a family portrait of himself and the Guardians, only to discover just how messy the artistic process can be.
-1
Frozen’s beloved snowman retelling several classic Disney tales as only he can.
1
Heart set on becoming a princess, Lisa Simpson is surprised to learn being bad might be more fun.
0
Sigourney Weaver guides viewers on a journey to the heart of whale culture to experience the extraordinary communication skills and intricate social structures of five different whale species. With the help of new science and technology, viewers witness whales making lifelong friendships, teaching clan heritage and traditions to their young and grieving deeply for the loss of loved ones.
2
A modern twist on Cinderella set in New York City's Sneaker culture.
0
Leave it to Goofy to find the fun in staying home!
0
Light-hearted legal drama series “Small & Mighty” featuring Chen Bo-Lin and Puff Kuo, and directed by Xu Fu-xiang. Co-presented with Bilibili and produced by Jason’s Entertainment .
2
An Original series featuring artists from Disney Animation
0
A six-part docuseries with fly on the wall access into the wider world of NASA, with cameras on Earth and in space. NASA astronaut Captain Chris Cassidy is on a quest to get back in his spacesuit for one last mission. This series follows Chris and the wider team who take on missions that risk life, limb and reputation for the greater good of humankind. Join them as their missions unfold.
1
2022 marks the 25th anniversary of ABC airing Rodgers & Hammerstein’s “Cinderella” (1997), a revolutionary TV musical that embraced racial diversity in casting and has impacted generations over the years, starring an all-star cast led by Brandy Norwood as Cinderella and Whitney Houston as her fairy godmother. ABC News is producing a news special dedicated to the legacy of this film, reflecting how the idea of a princess has evolved and what makes the film still relevant today.
3
Feel the transcendent power of classic Disney music reinterpreted by artists from around the world as we celebrate World Music Day together.  🤩 🎶

Harmonious Live!, hosted by Idina Menzel, is streaming live at 6PM PT/9PM ET on June 21, only on #DisneyPlus in the US and Canada. #HarmoniousLiveOnDisneyPlus

For more updates, subscribe to Disney, Pixar, Marvel, Star Wars, and National Geographic.
 
Disney+ is the streaming home of Disney, Pixar, Marvel, Star Wars, National Geographic, and more. From new releases to your favorite classics and exclusive Originals, there's something for everyone, all ad free.  
 
Follow Disney+ for the latest:
Disney+: https://disneyplus.com/
Instagram: https://www.instagram.com/DisneyPlus/
Twitter: https://www.twitter.com/DisneyPlus/
Facebook: https://www.facebook.com/DisneyPlus/
8
A documentary short that gives you an exclusive look behind the groundbreaking original series, "Ms. Marvel", from its comic book origins to its development and production as Marvel Studios’ next hit series on Disney+. It features interviews with its award winning filmmaking team and the show’s captivating star, newcomer Iman Vellani.
6
Bringing to life stunning but simple recipes for the perfect entertaining and feasting, plus special styling moments for a truly magical Australian Christmas.
4
When Flora rescues a squirrel she names Ulysses, she is amazed to discover he possesses unique superhero powers, which take them on an adventure of humorous complications that ultimately change Flora's life and her outlook forever.
1
Groot investigates a spooky noise that’s been haunting the Quadrant, which leads to an intense dance off.
-3
Fresh off the heels of her brand-new album, "Happier Than Ever," this cinematic concert experience features an intimate performance of every song in the album's sequential order – for the first and only time – from the stage of the legendary Hollywood Bowl.
5
More Than Robots follows four international teams of teenagers as they prepare for the 2020 FIRST Robotics Competition. Get to know competitors from Los Angeles, Mexico City and Chiba, Japan as they work towards the ultimate goal of taking their unique designs all the way to the highly competitive global championships. Along the way they must overcome challenges such as having limited resources or putting everything on hold because of the COVID pandemic. The kids persevere and learn that there is a lot more to the competition than just robots.
2
Greg Heffley is a scrawny but ambitious kid with an active imagination and big plans to be rich and famous – he just has to survive middle school first.
3
When Stargirl's mother is hired as the costume designer on a movie, they relocate to L.A., where Stargirl quickly becomes involved with an eclectic assortment of characters.
0
Bobby Bones crisscrosses the country to meet everyday heroes who have extraordinary jobs, hobbies and abilities, welcoming him with open arms to give him a crash course in their specialized skills.
2
Follows Gretel and her pet Hamster after receiving new abilities. Now, protective older brother Kevin must figure out how to work with both Gretel and her pet to protect their city from mysterious dangers.
1
Three friends try to save their mummified friend, Harold, from greedy criminals by returning him to his resting place before midnight on Halloween.
-2
California receives an unexpected gift: her mother, Itzel, has sent her a van together with a request: she wants her to travel to Zacatecas to be reunited with her after a nine-year absence. California convinces her three mistrustful parents that this trip will lead them to happiness. Soon, California, Miguel, Diego, and Morgan set out on an adventure that will turn their lives upside down. What they could never have imagined is that they are being followed by two funny thugs who are also after the mysterious woman.
-4
Looking for a much-needed break, Finn arranges a surprise vacation for his friends Rey, Poe, Rose, Chewie, BB-8, R2-D2, and C-3PO, aboard the luxurious Halcyon. However, Finn's plan to have one last hurrah together quickly goes awry.
1
With his best friend Luca away at school, Alberto is enjoying his new life in Portorosso working alongside Massimo – the imposing, tattooed, one-armed fisherman of few words – who's quite possibly the coolest human in the entire world as far as Alberto is concerned. He wants more than anything to impress his mentor, but it's easier said than done.
3
Ten young artists reach the final round of auditions to join the Theater Company. Each one will be evaluated based on their talent as they face their dreams, passions, fears, and uncertainties of the past, which may define their future.
1
When world renowned climber Alex Lowe was tragically lost in a deadly avalanche, his best friend and climbing partner went on to marry his widow and help raise his three sons. This profoundly intimate film from eldest son Max, captures the family's intense personal journey toward understanding as they finally lay him to rest.
-1
Superstar a capella group Pentatonix is struggling to find inspiration for their annual holiday album, and the clock is ticking. To make matters worse, their well-intentioned but misguided manager mistakenly locks them in a magic mailroom. But with the help of some Disney magic, we’re soon on a whirlwind tour around the world, discovering holiday traditions and inspiration from Pentatonix fans all around the globe: from Tokyo to Grenada, Ghana to Mexico and Iceland.
1
On school break, Marinette heads to Shanghai to meet Adrien. But after arriving, Marinette loses all her stuff, including the Miraculous that allows her to turn into Ladybug!
-1
The face of a new generation of aspirational adventurers and natural history filmmakers, 27-year-old Bertie Gregory takes viewers on an epic and nail-biting journey that pushes into the most spectacular and secretive corners of our wild world.
-1
This new series follows International teams of archaeologists on the front line, as they embark on a season of excavations to unravel the secrets of life in the Roman Empire. Crawling beneath Pompeii, unearthing an enormous lost coliseum, and hauling a 2000 year old battleship ram from the depths of the ocean, they race to unlock the secrets of this ancient civilization.
-2
The live special event features reenactments of episodes from “The Facts of Life” and “Diff’rent Strokes”.
0
Mickey Mouse is one of the most enduring symbols in our history. Those three simple circles take on meaning for virtually everyone on the planet. So ubiquitous in our lives that he can seem invisible, Mickey is something we all share, with unique memories and feelings. Over the course of his nearly century-long history, Mickey functions like a mirror, reflecting our personal and cultural values back at us. "Mickey: The Story of a Mouse" explores Mickey's significance, getting to the core of what Mickey's cultural impact says about each of us and about our world.
0
Join the likes of Tatiana Maslany, Mark Ruffalo, Tim Roth, and Benedict Wong as they reveal how Marvel Studios’ She-Hulk: Attorney at Law was conceived and shaped. Discover what it took for She-Hulk’s creators to pull off the show’s tricky tone and deliver Marvel Studios’ first truly comedic series – one that boldly breaks the fourth wall to acknowledge its own audience, no less!
1
Explore the Disney+ series of the MCU—past, present and future.
0
In a daycare far, far away… but still in Springfield, Maggie is on an epic quest for her stolen pacifier. Her adventure brings her face-to-face with young Padawans, Sith Lords, familiar droids, Rebel scum, and an ultimate battle against the dark side, in this original short celebrating the Star Wars galaxy.
-3
Feature documentary on the life and career of Tony winner Idina Menzel, culminating in her headlining a concert at Madison Square Garden in her hometown of New York City after a nationwide tour.
1
When an incident at school suddenly puts Trevor in the wrong spotlight, he struggles to navigate his own identity and determine how he fits in a challenging world.
-3
Valerie Taylor is a shark fanatic and an Australian icon – a marine maverick who forged her way as a fearless diver, cinematographer and conservationist. She filmed the real sharks for Jaws and famously wore a chainmail suit, using herself as shark bait, changing our scientific understanding of sharks forever.
-5
Join the likes of Oscar Isaac and Ethan Hawke as they reveal how Marvel Studios' Moon Knight was painstakingly brought to life. Through insightful interviews with cast and crew, along with immersive footage from the set, and a  candid "roundtable discussion" with the series' directors, this "making-of" pulls back the curtain on the groundbreaking series of Marvel Studios' newest hero.
6
A festive holiday special, hosted by Tituss Burgess, featuring teams from around the world transported to a magical snowy village, Snowdome, and thrown into a spirited competition to compete for the title of Best in Snow.
4
A unique team of adventurous divers and underwater filmmakers are joined by expert maritime archaeologists on the hunt for long-lost shipwreck secrets along the vast coast of Western Australia. Led by an obsessed pirate captain, the missions combine new evidence and archival research in an all-out adventure into the mysterious past in one of the most stunning places on Earth.
1
This documentary follows legendary stuntman Eddie Braun as he attempts one of the most dangerous stunts in history. Contemplating retirement and having survived over three decades of hellacious car crashes, explosions, high falls, and death-defying leaps, Eddie decides to complete what his childhood hero never finished -- the infamous Snake River Canyon rocket jump -- an audacious televised event that almost killed the man that inspired Eddie to become a stuntman, Evel Knievel.
-5
Profiles Muhammad Abdul Aziz, who was wrongfully convicted of Malcolm X’s assassination, in the first TV interview since his exoneration in November 2021. The special retraces Malcolm X’s 1965 assassination, Aziz’s decades behind bars and on parole, and the impact on Aziz’s family who is also interviewed.
0
The Simpsons host a Disney+ Day party and everyone is on the list… except Homer. With friends from across the service and music fit for a Disney Princess, Plusaversary is Springfield's event of the year.
0
Lisa Simpson is discovered by chart-topping artists Billie Eilish and FINNEAS while searching for a quiet place to practice her saxophone. Billie invites Lisa to her studio for a special jam session she’ll never forget.
0
Set before the events of ‘Soul’, 22 refuses to go to Earth, enlisting a gang of 5 new souls in attempt of rebellion. However, 22’s subversive plot leads to a surprising revelation about the meaning of life.
-1
Go behind-the-scenes every step of the way with immersive footage from the making of the series, along with insightful interviews on set from the cast and crew of Ms. Marvel as we watch Iman Vellani and her character, Kamala Khan, become the fan-favorite superhero right before our eyes.
3
Settle in with the likes of Taika Waititi, Chris Hemsworth, Natalie Portman, Christian Bale, and Tessa Thompson, and as they divulge the secrets behind the creation of Thor: Love and Thunder. Through in-depth interviews with cast and crew, along with raw, unseen footage from the set and beyond, ASSEMBLED pulls back the curtain on the God of Thunder’s fourth feature film.
2
Pop culture icon Rob Lowe takes viewers down memory lane with six entertaining and thought-provoking top 10 countdowns of 1980s pop culture, as voted by a panel of experts.
2
Scientists trying to solve the environmental crisis of pollution devise a way to send the collected garbage into space via rocket ships. When this garbage starts to land on alien planets, the outraged aliens head to Earth for revenge. King Shakir and his family must do their best to protect the world from alien destruction.
-4
Acclaimed composer Michael Giacchino made his directorial debut with Marvel Studios' Special Presentation "Werewolf by Night." This behind-the-scenes special explores Giacchino's vision, style and approach to bringing the chilling story to life, as well as offering an insider's look at the between-the-scenes making of "Werewolf by Night."
3
Grammy® winner singer-songwriter Olivia Rodrigo takes a familiar road trip from Salt Lake City, where she began writing her debut album “SOUR,” to Los Angeles. Along the way, Rodrigo recounts the memories of writing and creating her record-breaking debut album and shares her feelings as a young woman navigating a specific time in her life. Through new live arrangements of her songs, intimate interviews and never-before-seen footage from the making of the album, audiences will follow Olivia along on a cinematic journey exploring the story of “SOUR.”
0
Follows elite climber Alex Honnold and a world-class climbing team led by National Geographic Explorer and climber Mark Synnott on a grueling mission deep in the Amazon jungle as they attempt a first-ascent climb up a 1000 foot sheer cliff.
2
In their first public travel record, five friends, Park Seo-joon, Peakboy, Choi Woo-shik, Park Hyung-sik, and V are sent on a four-day friendcation to Goseong.
0
Poe Dameron and BB-8 must face the greedy crime boss Graballa the Hutt, who has purchased Darth Vader’s castle and is renovating it into the galaxy’s first all-inclusive Sith-inspired luxury hotel.
-1
Chronicles the life of a new stepfamily that meets up every weekend. But when the father gets into a relationship with a new partner, the weekends take on a whole different turn.
0
A grumpy ghost named Scratch is eternally cursed to be in the presence of polar opposite Molly McGee, a cheerful tween.
-2
Three teams of food artists transform iconic characters into extravagant masterpieces that tell a story from Disney's legendary IP. The food sculptures will be judged on their design, technical skills and narrative, and not by taste. Unused food from each competition will be donated to local food banks.
2
A talented and kind chef, Ling Xiaoxiao, is accepted into the delicacy role of chef in an Imperial palace thanks to the appreciative appetite of the Crown Prince, Zhu Shoukui. Set on becoming the best Imperial Chef, with the Prince's help, Ling tries to navigate the pitfalls of palace life while remaining true to her goals in the face of forbidden love.
4
Follow inspiring women living in communities marred by violence, poverty, trauma, discrimination, oppression and natural disasters, and yet, against all odds, dare to dream, stand out, speak up and lead.
-3
Incredible video behind-the-scenes with the stars, Steven Spielberg, and see one of the last interviews with the legendary Stephen Sondheim.
2
Renowned caver Bill Stone is on a lifelong quest to go deeper beneath the earth than any human has ever ventured. Deep in the unexplored depths of Cheve Cave in Mexico, his goal is to set a new world record by finding a passage beyond a depth of 7,208 feet, proving once and for all his theory that Cheve is the deepest cave in the world. The expedition has been compared to climbing Everest - but in reverse. The three-month underground journey is a dangerous and highly technical adventure through over 12 miles of tight, twisting passages. The pressure to conquer the cave will push Bill and the team to the absolute limits of survival and sanity.
-2
A special celebrating the origins and legacy of Star Wars' legendary bounty hunter, Boba Fett.
1
Carol and her friends prepare for a new year of going to school, to the beach, and having fun in their beloved Rio de Janeiro... but their friendship will be put to the test. Carol will deal with her mother's marriage, her stepfather being her teacher, her insufferable half-brother, and her friends' personal problems. But they will stick together... or not.
0
Four teams of adventurers embark on a quest to sprint around the world on a challenging course in the hopes of beating the others to a buoy in the middle of the ocean on which is stashed a $1 million prize.
0
For Fred, Christmas is about enjoying good food, presents and family. But for Emma, Christmas is about taking care of people in need. She misses her parents and their traditions, so Fred suggests she goes to Canada. Emma asks Fred to join her, but the mothers of his daughters refuse to let them go at short notice. Fred says he will go with Emma no matter what, so Vic, Romy and Clara plot to stop them leaving! And it's a good thing they do, as surprise guests will be arriving.
0
Follows Funny, an enchanted talking playhouse who leads Mickey Mouse and his pals on imaginative adventures.
2
Join Elizabeth Olsen, Paul Bettany and WandaVision’s creative team as they pull back the curtain on this highly groundbreaking series.
2
A set of performances inspired on films such as Singin' in the Rain, Moulin Rouge, Beauty and the Beast, Chicago, Dirty Dancing, Saturday Night Fever and La La Land.
-1
This new documentary special is about the most intact slave shipwreck found to date and the only one for which we know the full story of the voyage, the passengers and their descendants.
-2
Liz Garbus takes an inside look at Jacques-Yves Cousteau, adventurer, filmmaker, innovator, author and conservationist.
0
An intimate portrait of the life and work of the original "celebrity chef" Wolfgang Puck.
2
Join director Chloe Zhao and the Cast of Eternals as they recount their experiences during the making of Marvel Studios’ most ambitious film to date. Discover how the ensemble cast felt stepping into their roles, filming in remote locations, and creating bonds that would help to create the on-screen relationships that span over 7,000 years.
2
Join Pete Docter for a tour around Pixar and get a sneak peek at several upcoming Disney+ releases.
-1
On an idyllic beach in the Pacific Northwest, curiosity gets the better of a young raccoon whose frustrated parent attempts to keep them both safe.
2
Follows Gia, who has to deal with the challenges and insecurities of "adulting" during her 21st birthday.
-1
A music special celebrating the empowering attributes of Disney princesses and queens through re-imagined performances of their iconic songs by Disney stars.
0
The lovable chipmunk troublemakers in a non-verbal, classic style comedy, following the ups and downs of two little creatures living life in the big city.
1
In a leafy hamlet, Mickey Mouse is determined to undo the failures of his family’s past after inheriting a rundown pumpkin farm from a distant relative, and the epic legend of its futility.
-2
Join the likes of Jeremy Renner, Hailee Steinfeld, Florence Pugh, and Vincent D’Onofrio as they reveal how Marvel Studios’ “Hawkeye” was conceived and created. Witness firsthand what it took to pull off the show’s pulse-pounding action set pieces, and discover how iconic characters from the pages of Marvel Comics such as Kate Bishop were adapted and brought to life for the six-episode series.
3
This special follows the farmers' 10-year tireless journey as they transform the land into a magical working farm and document the whole process in this heartwarming special that is akin to a real-life "Charlotte’s Web."
2
A landmark series that packs an entire year's worth of the world most epic storms into one season. From tornadoes in March in the US to mudslides in December in Central America, we'll embed with storm chaser Reed Timmer and his team as he heads straight into Mother Nature's fury unraveling the world's most dangerous weather events as they are happening.
-1
A grandmother is caught between her two favorite things when her granddaughter is unexpectedly dropped off during the day she was planning to spend watching her favorite TV show.
1
A new mother’s memories of her own youth prepare her to navigate motherhood in the increasingly challenging world that polar bears face today.
-1
A Very Boy Band Holiday is an American television special, which aired on ABC on December 6, 2021. The program featured musical performances of holiday songs by people from the boy band groups: NSYNC (Joey Fatone, Chris Kirkpatrick, Lance Bass), Boyz II Men (Wanya Morris, Shawn Stockman), New Edition (Bobby Brown, Michael Bivins), New Kids on the Block (Joey McIntyre), O-Town (Erik-Michael Estrada) and 98 Degrees (Nick Lachey, Drew Lachey, Jeff Timmons, Justin Jeffre).
0
Famed magician Adam Trent breaks the number one rule of magic and puts magic in the hands of everyday people to help them with the biggest and most emotional moments of their lives.
2
Chris Hemsworth has a real passion for sharks. The Hollywood star talks to experts to find out more about the apex predators of the oceans.
0
A documentary special that explores the power of identity behind the iconic superheroes we know and love today. These legendary Marvel creations and stories have not only reflected the world outside our window – they have become a reflection of our own identities and who we truly are.
3
Get personal with Robin Roberts and some of Hollywood’s groundbreaking women as they bear witness to their incredible journeys on their path to purpose. Each episode is a profound conversation filled with emotion and inspiration. Listen to never-before-heard stories of how these groundbreakers came face-to-face with their vulnerability, authenticity and intuition. Discover their commonalities and learn how their stories and experiences created room for expansion and evolution.
4
After a series of mishaps, Mickey, Minnie and the gang are separated all over the world and must try to get back to Hot Dog Hills by Christmas Eve. A mysterious and jolly stranger shows up to tell them about The Wishing Star, which could be the secret to bringing everybody home in time to celebrate together.
0
Follows five young star students on their journey to win one of the world’s most prestigious competitions for student entrepreneurs.
2
A new school year, his brother Rodrick teases him over and over and over and over again. Will Greg manage to get along with him? Or will a secret ruin everything?
-2
Features Rev Run as he brings audiences on a hip-hop reimagining of The Nutcracker ballet set in NYC.
0
As Marshall, Gilbert and Amy are preparing for her father’s Spooktacular Halloween-themed wedding to his fiancé Carl, plans go awry when they discover that their mummy friend Harold and his beloved Rose may be in danger.
0
Happily-ever-after continues for Auradon's power couple as they prepare to say "I do" at an epic celebration with their friends and family, but Hades threatens to ruin it all.
0
Dino Ranch follows the adventures of the Cassidy family as they tackle life in a fantastical "pre-westoric" setting where dinosaurs still roam. As the young ranchers learn the ropes, they discover the thrill of ranch life whilst navigating the great outdoors through unpredictable challenges.
1
Purple colors the city of Los Angeles, as BTS brings their "Permission to Dance" concert to SoFi Stadium for the first time in two years. In a stadium radiating anticipation and cheer, splendid performances from "On" to "Permission to Dance" glorify the stage that now comes to life on screen. Be united once again by the power of music.
3
The wonder of the winter season takes Mickey Mouse and his friends on a journey through three magical stories.
2
On Halloween, Mickey tells a tale of two witches-in-training, Minnie and Daisy, who must pass four tests to graduate from the With Academy in Happy Haunt Hills.
0
Records the battle for the survival of the big cats and reveals intimate details of their lives. The animals they prey on are also in the film: tigers couldn’t survive without sika deer, Altai wapiti, wild boars and Asian black bears. Guiding the viewer through the film, an elder tiger tells the story of his cub, born in a conservation area, the year after he leaves his mother.
1
Mickey Mouse and his friends each recall the wild events leading up to the Annual Summer Fireworks Spectacular from their point-of-view.
1
When Gabriel, a 7-year-old Chinese kid who loves ballet, becomes friends with Rob, another Chinese kid from school, Rob’s dad gets suspicious about Gabriel's feminine behavior and decides to intervene.
0
It’s time to sing with La Familia Madrigal! Stream the Encanto Sing-Along this on Disney+!

0
Alice, the great-granddaughter of the original Alice and a budding young baker at the enchanted Wonderland Bakery, where treats bring a new generation of characters together.
1
Mickey Mouse and his friends explore the promise of the spring season through the lens of a unique nature documentary.
1
Han Sun-woo is a rookie photographer. He doesn't talk much, but he is a kind and warm-hearted man. He is friends with Lee Eun-soo. They have been close friends for 20 years. Meanwhile, Lee Eun-soo works as a lyricist to make living. She has an honest and bright personality. Due to a reason, Han Sun-woo and Lee Eun-soo begin to live together at the same house for 2 weeks. Staying together, their relationship develops romantically.
4
A trio of young chicken siblings - and Captain Tully, a seasoned watchdog, who use teamwork and critical thinking skills to solve problems in the neighborhood and keep the peace in their backyard.
1
Rhea lives with her tight-knit multigenerational family. After her mother’s death, she has been her father’s emotional rock, and her life revolves around her family’s restaurant, her eclectic group of friends, and her after-school coding club. Everything changes when she falls for aspiring DJ Max and a long lost passion for music is reignited. Rhea discovers that she has a natural gift for creating beats and producing music that blends her Indian heritage, but must find the courage to follow her true inner talent.
0
The New Air Force One: Flying Fortress follows the new presidential aircraft's creation, diving into how it transformed into a top-secret command center.
0
A feature length documentary about the all-women team at the helm of Pixar's original feature, Turning Red. With unprecedented behind-the-scenes access to Director Domee Shi and her core leadership crew, this story shines a light on the powerful professional and personal journeys that brought this incredibly comical, utterly relatable, and deeply heartfelt story to the screen.
2
In a vibrant city pulsating with rhythm and movement, an elderly man and his young-at-heart wife rekindle their youthful passion for life and each other on one magical night.
4
Forensic experts scan Pompeii’s victims to investigate why they didn’t escape the eruption.
0
A historical journey spanning half a century and beyond at Walt Disney World, featuring spectacular visuals, musical performances, and interviews.
1
The story of one remarkable woman who became a global icon in animal welfare and conservation who not only hoped for a better world, she achieved it! This sweeping documentary celebrates the vast legacy of Dr. Goodall’s four decades of advocacy work for chimpanzees and depicts the next chapter for generations to come.
4
Val Garcia, a Mexican-American teen who is half human/half vampire, has had to keep her identity a secret from both worlds. But when her human best friend shows up at her monster-infested school, she has to confront her truth, her identity, and herself.
0
The one and only Dr. Pol has hit an incredible milestone – 200 episodes! Stroll down memory lane as we look back on highlights from the last decade. Doc, Charles & Diane join in on the fun, watching & reacting to these unforgettable moments right alongside you. Plus, get a first look at never-before-seen footage from the series. It's two jam-packed hours of nonstop Pol-ness you don't want to miss!
3
A documentary film providing an exclusive and immersive look at the process of Pixar Animation Studios filmmakers as they step into a leadership role and strive to bring their uniquely personal SparkShorts visions to the screen.
0
NatGeo meets America's Funniest Home Videos in an unlikely marriage that produces hilarious pets, awesome wildlife, and everything in between.  From the backyard to the savannah, we spend time with animals that make us laugh, gasp, and smile, providing us a unique mix of humor and wonder…all hosted by Alfonso Ribeiro.
2
Exploring how Black actresses, a historically overlooked and under-valued group in Hollywood, have in recent years begun to ascend to the top echelons of entertainment and American culture. The special examines how Black actresses of Hollywood have become power brokers and the iconic moments and roles have paved the way for them today.
1
It follows 15-year old Quinn Perkins, who will be spending the summer working as an intern with her best friend Daniela. Mysterious events start to occur, and they assume that they are being haunted by local legend Everly Fallow.
0
The film Journeys alongside the filmmakers behind Disneynature’s “Polar Bear” as they face profound challenges 300 miles from the North Pole. The team, who created a revolutionary arctic camp on site, navigated virtually impassible snow drifts and tenuous sea ice, garnering unprecedented footage revealing adaptive behaviors that surprised even this veteran team of filmmakers.
2
Splitting the kids between the ages of 6 and 14 into three teams of two, having them race against the clock to design a Disney-inspired cake, utilizing Tastemade's signature recipe videos and "an enchanted pantry" full of ingredient.
0
Park Rangers work to protect and manage black bears and other animals in Great Smoky Mountain National Park as they prepare for the coming of winter.
3
Guided by host Yvette Nicole Brown, “ZOMBIES” superstars Meg Donnelly, Pearce Joza, Kylee Russell, and Matt Cornett will compete in an incredible summer quest and partake in challenges inside EPCOT during The World’s Most Magical Celebration – the 50th Anniversary of Walt Disney World Resort.
2
Follows the story of baby animals from their time in the womb to their first steps towards independence, showing their characteristics and tenacity.
1
Ameena, a Muslim Pakistani immigrant, wakes up on Eid to find out that she has to go to school. Homesick and heartbroken, she goes on a mission to make Eid a public-school holiday, and in the process, reconnects with her older sister, and embraces her new home, while her new home embraces her.
0
The maverick machinations of Oakland/Los Angeles Raiders owner Al Davis and his many quarrels with the National Football League.
-1
Follow a boy and his fire truck in a fantasy world where talking vehicles live, work and play with the humans who drive them as they team up with their friends and teamwork to help their community.
1
The moon has an impact on animal species around the globe, but there’s never been a connection drawn between the lunar cycle and sharks. One scientist thinks the moon plays an important role in the migration and life cycle of the scalloped hammerhead, and he’s on a mission to see if his hypothesis is true. If there’s a tie between the hammerhead shark and the moon, there could be a tie with other shark species as well … with a profound impact on both shark science and conservation.
-1
A Chinese student at an elite U.S. boarding school realizes excellence is not enough when he tries out for a leadership position no international student has ever applied for.
3
In a world where culture has nearly ceased to exist, one lone Mexican-American struggling to carry on her traditions unknowingly summons a dark and ancient creature to protect her.
-2
Mickey invites preschoolers to play along as he talks about everyday topics familiar to their lives, including morning and nighttime routines and packing a backpack.
0
It’s time for sharks to face off in the ultimate species competition with the greatest matchups the ocean has ever seen. In ten nail-biting competitions, we’ll prove once and for all which shark is the MVP of the open sea.
-1
Marvel Studios ASSEMBLED: Loki explores the series centering on the MCU's chief mischief maker.
0
It’s the resilience and love that keeps this community marching to the beat of its own drum; each generation redefining what it means to be queer and to be seen.
0
BUILT FOR MARS: THE PERSEVERANCE ROVER goes behind the scenes at NASA’s Jet Propulsion Laboratory to follow the birth of the Perseverance rover.
1
Outside the Sudanese capital Khartoum, the remains of an ancient city stand in the desert. Are you ready to dive beneath the pyramids of Sudan's black pharaohs?
0
How one of the largest Bull Sharks ever caught off the quiet coast of Florida grew to become a giant of the ocean.
0
The Green Family gathers together to celebrate the trilogy of ZOMBIES movie musicals with a new ZOMBIES-themed variety special. The show takes a turn when Gramma tricks ZOMBIES stars Milo Manheim and Meg Donnelly into celebrating with them!
-1
Scientists dive deep on the mysterious and unusual predatory behavior of orcas attacking great white sharks, and the disappearance of the other sharks after these attacks.
-5
Avalon’s not ready to process the loss of her mother, but when she's put in charge of a 4-year-old for one night, she finds more comfort than she ever could have expected.
1
ASSEMBLED explores the creative process behind this inventive and mind-bending animated series.
2
Two rivals address the years of animosity that defined their careers and their shared dream of achieving greatness on the world’s biggest stage: the Nathan’s Hot Dog Eating Contest.
0
Scientists have discovered and investigate the reason behind the behavior of sharks swimming around in gangs even though they are viewed as solitary predators.
-1
A series of shark attacks that happened in the same patch of ocean, the remote islands of the Whitsunday in Australia.
-2
The story of a young girl inventor who is way ahead of her time. Utilizing creative out-of-the-box thinking, she designs inventions and contraptions in the hopes of making the world a better place and moving her prehistoric community into a more modern era. With the help of her supportive parents, teacher, best friends — Pepper and Barry — and beloved pet mammoth Murphy, Eureka is learning to embrace that she is not ordinary — she's extraordinary.
7
Everything you need to know about the making of this hard hitting, high-flying series.
-1
In this series the Navy veteran and champion pitmaster, Big Moe Cason, embarks on an epic journey to seek out the most mouthwatering dishes cooked over an open flame.
1
Happy Holidays! The Greens complete their festive film trilogy with SHORTSMAS! While Bill and Remy work on a huge Christmas light display, Cricket and Tilly share some of their favorite holiday shorts from Big City Greens, The Ghost and Molly McGee, ZOMBIES and much more!
3
As one of the most feared predators on the planet, sharks use a number of strategies to enhance their predatory abilities, even changing colour.
-1
Join your fan-favorite Disney Branded Television characters as they host a showcase to celebrate their wild Chibi Tiny Tales adventures, including Phineas and Ferb, Cricket Green, Anne Boonchuy, Molly McGee, Penny Proud and more.
1
Discover what happens when two of the deadliest predators face each other.
0
The Queen Family Singalong (Nov. 4, 2021) Copyright @ ABC With this special, one-night-only event, ABC is inviting friends and family from around the country to gather in their living rooms, crank up the volume and rock out for an hour of killer Queen hits, performed by musical artists the whole family knows and loves.
0
Shark encounters off the coast of California are skyrocketing. Now, a team of researchers is on a mission to investigate a newly discovered white shark hot spot close to popular beaches and determine how many great whites are out there. Their expedition will bring them face-to-face with some of the biggest sharks on the planet.
0
Join Scarlett Johansson, David Harbour and more on a journey behind-the-scenes of "Black Widow".
0
Rise Up, Sing Out, that will consist of music-based shorts full of empowering messages about noticing and celebrating differences. The shorts are geared toward preschoolers and are designed to give parents a framework to start conversations about race and equality through music and relatable kid experiences.
0
Gorongosa National Park was known as Africa's Eden, but war almost destroyed it. Now, it's home to the greatest wildlife restoration in history.
1
Scientific experts research about the bizarre and fascinating shark behavior based on real footage captured by professionals and bystanders.
-1
In the ocean, female sharks often make the rules. In fact, scientists are trying to understand if the biggest and baddest sharks in the world's waters are female.
-2
Sports fisherman Cyril Chauquet and his team put themselves at danger in the hunt for wild underwater creatures.
-2
Dr. Ole Alcumbrac owns White Mountain Animal Hospital, a full-service animal clinic in Pinetop, Arizona, that cares for everything from cats and dogs to exotics and large animals. But this self-described 'wild man' isn't your typical veterinarian, and it's his work outside of the clinic that excites him most.
2
Researchers investigate whether orcas have begun hunting great white sharks off the coast of New Zealand.
0
Bad Bunny counsels Homer and Marge in the new music video for his single "Te Deseo Lo Major."
-1
Numerous reports of giant great hammerhead sharks, up to twenty feet in length, have put the actual size potential of this species into question. A team of scientists from Florida International University is now on an expedition off the Florida coast to try and find the world’s biggest hammerhead, taking them from the numerous bridges of the Florida Keys to the sharky waters of the Bahamas.
0
Taking to the skies with the latest drones to give SharkFest a fresh perspective, with eyes in the sky, they will reveal shark action from above.
0
Jeremy Wade travels the world’s most remote & unexplored rivers to search for the biggest & strangest creatures in their underwater worlds.
-1
The heartwarming tale of a mother polar bear as she introduces her two newborn cubs to their icy world for the first time.
1
The discovery of Tutankhamun’s tomb is revealed for the first time in colour, thanks to colourisation of black and white newsreel and photographs.
0
Albert Lin is on a global adventure, from icy Black Sea depths to the heights of the Peruvian Andes, searching for the origins of Great Flood stories.
1
Bob Ballard reveals the inside stories behind his most exciting discoveries, while sharing the personal triumphs, challenges and tragedies that led him to them.
2
Gordon faces off against UK star chefs Paul Ainsworth and Matt Waldron, who got their starts in Ramsay kitchens before opening their own restaurants.
0
All across YouTube, viral videos abound of great whites and other sharks attacking boats with a ferocity and anger that has never been seen before. The question is, why? Is this simply a case of more people having cameras to video the behavior, or is something else happening? Dr. Mike Heithaus and Ph.D. candidate Sara Casareto set out to investigate what’s causing this clash between sharks and boats.
-3
The remarkable life and career of the legendary Dick Vitale, ESPN's voice of college basketball for more than four decades, and an inspiration as he battles cancer, a disease he's been fighting on behalf of others for years as well. The film features more than 40 original interviews including Magic Johnson, Mike Krzyzewski, Charles Barkley, John Calipari, Robin Roberts, Chris Berman and Mike Tirico, among many leading voices from college basketball, sports broadcasting, and beyond, "Dickie V" is a fun, unforgettable, moving, inspirational ride through an incredible life still being lived, and a poignant tribute to a man still spreading love and joy wherever he goes.
11
This not to be missed story by award-winning filmmakers, conservationists  Dereck and Beverly Joubert, takes through how Immani protects her four cubs from predators in deadly Kenyan terrain.
-2
Every year tiger sharks gather in big numbers in Maui. What’s the cause? It’s a mystery that’s a decade in the making. Now, a team of fearless shark scientists gets hands-on with one of the ocean’s largest predators to find out. That means free diving, face-to-face and unprotected. But these young women will do whatever it takes to get the data they need to crack the case.
-2
Karol Sevilla and Pipe Bueno talk about their on-screen chemistry and the challenge Pipe faced when taking on a lead role. Christian Tappan talks about how he took on the challenge of representing his character. Exclusive off-screen material, videos recorded by the actors themselves on their phones, and records of castings and rehearsals will be unveiled.
1
Our gang is off for an exotic vacation of a lifetime. However, after the locals mistake Nia as a mythical savior, their relaxing vacation turns into an Indiana-Jones-style-adventure to save the city from darkness forever.
-1
Brain Games out of the studio and on the road, giving average Americans the chance to test their brainpower as they take on friends and family in an epic battle of the brains.
0
“Dancing with the Stars” is the hit series hosted by supermodel and businesswoman Tyra Banks and actor and television personality Alfonso Ribeiro in which celebrities are paired with trained ballroom dancers to compete in themed choreographed dance routines that are judged by a panel of renowned ballroom experts, including Len Goodman, Carrie Ann Inaba, Bruno Tonioli and Derek Hough.
1
What's it like to shoot a series that takes place in Rio de Janeiro during the summer and São Paulo during the winter? What were some of the challenges related to producing a series during a pandemic? Author and screenwriter Luly Trigo takes us behind the scenes in this "live" special.
1
After 13-year-old super-genius Lunella accidentally brings ten-ton T-Rex, Devil Dinosaur into present-day New York City via a time vortex, the duo works together to protect the city's Lower East Side from danger.
0
Mila is 16 years old and living the adventure of her life traveling through the multiverse in search of her mother, Elis. As she travels, she will come face to face with The Operators, a mysterious and dangerous group that wants to exterminate all universes. She will have to face them in order to save the vast multiverse.
-3
Amaranto Molina is a peculiar professor. With his disruptive methods, he will embark on a journey full of unique experiences to help his students express their true musical talents and heal from their wounds.
-1
At a shipyard on Germany's North Sea, a marvel of modern engineering is taking shape; hundreds of construction workers, engineers, architects, designers, animators, cast and crew are transforming 144,000 tons of steel.
2
A young Asian-American teen and basketball fanatic who just wants to dunk and get the girl ends up learning much more about himself, his best friends, and his mother.
0
Dust off your dictionaries and grab that hairbrush microphone. "Schoolhouse Rock. 50th Anniversary Singalong", the fifth installment of its successful "Singalong" franchise, with Emmy®-winning television host Ryan Seacrest. "Schoolhouse Rock. 50th Anniversary Singalong" will air on ABC and stream next day on Hulu and at a later date on Disney+. ABC is taking viewers to school, inviting friends and family around the county to gather and enjoy classic "Schoolhouse Rock!" hits that are as educational as they are catchy, all in celebration of the 50th anniversary of the beloved series.
5
An docu-series exploring the unique and wonderful surf culture in Japan, highlighting the dramatic push and pull between convention and innovation. By chronicling the lives of both the trendsetters and the traditionalists, the series paints a captivating holistic picture of the global surf industry – from Australian-Japanese surfer, Connor O’Leary to freestyle surfers, Olympic hopefuls and businesspeople trying to make their mark.
4
Follow the production of “Black Panther: Wakanda Forever” as the cast and crew take on the incredible challenge of remembering T’Challa with a chapter befitting the late king. Through intimate behind-the-scenes footage and interviews, watch Shuri take on the mantel of Wakanda’s hero and face a new foe from the ocean’s depths in Namor.
2
For 200 days, the daily life of artist j-hope is captured. From his production of solo album "Jack in the Box" and listening party, this documentary follows him all the way to his debut on the stage of "Lollapalooza."
0
Featuring the breakout stars from the series and returning legends, this documentary takes viewers behind the scenes for an in-depth look at the making of the hit original series.
0
This special explores the history of Black entertainers in Las Vegas and celebrating those who are now ruling the historic strip.
0
A nameless baby elephant-steer was just getting used to life in the herd, when poachers kill his mother, so he runs and gets lost. He's found by a grouchy female, Groove, the sister of an alpha-female, who walks off disgusted with life in her herd. Not exactly wholehearted, she still takes the orphan under her wing, 'til we find your herd', but fails to find his herd, or a new home with males—who find him disrespectful and mouthy—or her own herd, which nicknames the kid Whispers since his trumpeting is so weak. Meanwhile the fear of poachers and (in the movie) lions drives them north over the great river, a long and dangerous journey...
-9
Yei!— Is what Gina says in positive situations or simply whenever she is happy. She has won a scholarship to the prestigious Caribbean Music Institute (CMI) on the island of Puerto Rico, the best place in the world to study Latin music and the birthplace of the successful reggaeton thanks to her lyric-writing abilities. Gina is a cheerful, energetic, and creative girl who loves writing. Her ultimate dream is to write songs.
10
Miley Cyrus takes the stage in this must-see, Disney+ music event featuring debut performances of her highly anticipated eighth studio album, "Endless Summer Vacation." The global superstar’s cinematic, one-of-a-kind performances are threaded together with exclusive interviews where she provides insight to her new album and the person she is today.
0
A new documentary series focusing on the music from Marvel Studios’ Black Panther: Wakanda Forever. The show centers on the songs and score from the movie and features interview with director Ryan Coogler, composer Ludwig Göransson, among others.
1
Travel Consultant, Martinique Lewis, embarks on a journey to visit historically listed Green Book locations and modern black travel destinations.
1
It tells the story of four fierce and furry superhero kittens who are on a mission to make Kittydale a more caring and "pawesome" place.
-1
Dwayne Fields grew up around violent gangs and is a natural-born survivor who’s stared death in the face his entire life. He escaped the inner city to become an explorer, where he conquered the brutal magnetic north pole, becoming the first Black British citizen to achieve this accomplishment. His unmatched resilience, unique spirit and optimism have him determined to push himself to the absolute edge.
1
Even the biggest, fastest and fiercest predators start as babies. Baby sharks are cute, but they need to grow up fast because out of more than 500 species of sharks, not one parent sticks around to help raise them. Sharks are found in every ocean across the planet and have evolved in extraordinarily different ways to carry their young and give birth and for baby sharks to thrive.
1
When Charlie Brown complains about the overwhelming materialism that he sees amongst everyone during the Christmas season, Lucy suggests that he become director of the school Christmas pageant. Charlie Brown accepts, but is a frustrating struggle. When an attempt to restore the proper spirit with a forlorn little fir Christmas tree fails, he needs Linus' help to learn the meaning of Christmas.
-5
This classic "Peanuts" tale focuses on the thumb-sucking, blanket-holding Linus, and his touching faith in the "Great Pumpkin." When Linus discovers that no one else believes in the creature, he sets out to prove that the Pumpkin's no myth—by spending the night alone in a pumpkin patch.
3
Turkey, cranberries, pumpkin pie... and the Peanuts gang to share them with. This is going to be the greatest Thanksgiving ever! The fun begins when Peppermint Patty invites herself and her pals to Charlie Brown's house for a REALLY big turkey party. Good grief! All our hero can cook is cold cereal and maybe toast. Is Charlie Brown doomed? Not when Linus, Snoopy and Woodstock chip in to save the (Thanksgiving) Day. With such good friends, Charlie Brown - and all of us - have so many reasons to be thankful.
3
It's Valentine's Day again and Charlie Brown dreams the seemingly hopeless dream to receiving a valentine from anyone. All the while, the rest of the gang have their own trials whether it be Linus' struggle to get the biggest card he can for his beloved teacher, or Lucy trying to get some token from Schroeder while Snoopy and Woodstock are having fun spearing valentines on each other's nose.
0
Charlie Brown, Linus and the entire Peanuts gang are off on a lively Easter egg hunt. They suspect they've spotted the Easter Bunny … but the trouble is, he looks a lot like a certain beagle who's near and dear to Charlie Brown's heart. Is it truly the Easter Bunny, or is it just the irrepressible Snoopy playing a trick on the kids?
-2
The Fraggles are a fun-loving community of creatures who live in a subterranean fantasy land where they love to play, sing and dance their cares away, sharing their world with the tiny Doozers and the giant Gorgs. The series teaches empathy and tolerance and encourages children to understand people different from themselves.
2
It's the night of Peppermint Patty’s New Year’s Eve bash, but Charlie Brown has to write a book report about War and Peace. Hoping to join the fun for a special dance with the Little Red-Haired Girl, he tries desperately to finish in time.
0
Meet Jack Foley, a smooth criminal who bends the law and is determined to make one last heist. Karen Sisco is a federal marshal who chooses all the right moves … and all the wrong guys. Now they're willing to risk it all to find out if there's more between them than just the law.
0
Two thieves, who travel in elegant circles, try to outsmart each other and, in the process, end up falling in love.
2
As the holiday season rolls around and all the Peanuts gang are getting ready for it. Whether it be Charlie Brown struggling to raise money for his girlfriend or Sally and Peppermint Patty struggling to rehearse and memorize their one word lines for the Christmas pageant, these kids try to keep with the Christmas spirit while Snoopy has his mischief to do.
-2
A phobic con artist and his protege are on the verge of pulling off a lucrative swindle when the con artist's teenage daughter arrives unexpectedly.
-2
In 2004 Ewan McGregor and Charley Boorman embarked on an epic challenge to bike 20,000-miles across 12 countries and 19 time zones in just 115 days. Watch as two friends ride around the world together and, against all the odds, realize their dream.
0
Three years after Long Way Round, Ewan McGregor and Charley Boorman set off on a 15,000-mile journey from the northernmost tip of Scotland to the southernmost tip of South Africa, mixing their love of motorcycles with the lure of far-flung roads.
0
Linus and Lucy's younger brother Rerun wants a dog for Christmas, and Snoopy's brother Spike may be the answer.
0
Tis the season for the cheer and charm of the Peanuts kids - and this delight special offers five segments full of unforgettable moments. Snoopy works as a bell-ringer to raise money and tries making peace with the ferocious cat next door. Linus strives to strike the right tone in his letter to Santa - and his friendship with an indecisive girl at school. Sally's idea about gift giving and the identity of Santa may be unusual - but her strange notion about how to obtain a Christmas tree surprisingly does the job. Lucy tries awfully hard to be nice...and still coax everyone around her to buy her presents. Charlie Brown and Sally wait up for Santa (a surprisingly short man), who spreads Christmas gift cheer further than they had thought. Make merry!
4
Lovesick Charlie Brown hopes – still – to get a valentine from the Little Red-Haired Girl, as does Sally from Linus, Lucy from Schroeder and Peppermint Patty from Charlie Brown.
0
Exactly one year after Tom meets Violet, he surprises her with a wedding ring. By all accounts, Tom and Violet are destined for their happily ever after. However, this engaged couple just keep getting tripped up on the long walk down the aisle.
1
Ted Lasso, an American football coach, moves to England when he’s hired to manage a soccer team—despite having no experience. With cynical players and a doubtful town, will he get them to see the Ted Lasso Way?
-2
A Philadelphia couple are in mourning after an unspeakable tragedy creates a rift in their marriage and opens the door for a mysterious force to enter their home.
-4
Explore an aspirational world where NASA and the space program remained a priority and a focal point of our hopes and dreams as told through the lives of NASA astronauts, engineers, and their families.
0
Meet the team behind the biggest multiplayer video game of all time. But in a workplace focused on building worlds, molding heroes, and creating legends, the most hard-fought battles don’t occur in the game—they happen in the office.
1
Descend into the world of true-crime podcasts with Poppy Parnell, who risks everything—including her life—to pursue truth and justice.
-1
A behind-the-scenes look at the lives of the people who help America wake up in the morning, exploring the unique challenges faced by the men and women who carry out this daily televised ritual.
0
A virus has decimated humankind. Those who survived emerged blind. Centuries later when twins are born with the mythic ability to see, their father must protect his tribe against a threatened queen.
-1
In the 1960s, two African-American entrepreneurs hire a working-class white man to pretend to be the head of their business empire while they pose as a janitor and chauffeur.
-1
A first-time captain leads a convoy of allied ships carrying thousands of soldiers across the treacherous waters of the “Black Pit” to the front lines of WW2. With no air cover protection for 5 days, the captain and his convoy must battle the surrounding enemy Nazi U-boats in order to give the allies a chance to win the war.
1
A Mossad agent embarks on her first mission as a computer hacker in her home town of Tehran.
0
An anthology series that goes beyond the headlines to look at the funny, romantic, heartfelt, inspiring and surprising stories of immigrants in America at a time when they are more relevant than ever.
2
All Nikki and Jason want is a baby—the one thing they can’t have. So they decide to adopt. With their dysfunctional friends, screwball families, and chaotic lives, will the adoption panel agree that they’re ready to be parents?
0
Emily Dickinson. Poet. Daughter. Total rebel. In this coming-of-age story, Emily’s determined to become the world’s greatest poet.
1
A family’s lives are irreparably disrupted when the 14-year-old son is accused of murdering a fellow classmate.
0
An animated musical series that tells the story of how a family of caretakers, who live and work in Central Park, end up saving the park and basically the world.
1
A never-before-seen look inside the world’s most innovative homes with each episode unveiling the boundary-pushing imagination of the visionaries who dared to dream and build them.
2
A young girl from the big city uncovers clues to an unsolved cold case while visiting her father's small lakeside town.
-1
When a ghost haunts a neighborhood bookstore and starts releasing fictional characters into the real world, four kids must team up to solve an exciting mystery surrounding the ghost’s unfinished business.
-3
This remarkable journey across our planet and universe explores how meteorites, shooting stars, and deep impacts have awoken our wonder about other realms—and make us rethink our destinies.
3
In a time of superstition and magic, when wolves are seen as demonic and nature an evil to be tamed, a young apprentice hunter comes to Ireland with her father to wipe out the last pack. But when she saves a wild native girl, their friendship leads her to discover the world of the Wolfwalkers and transform her into the very thing her father is tasked to destroy.
-3
Here’s a little story they’re about to tell… Mike Diamond and Adam Horovitz share the story of their band and 40 years of friendship in a live documentary directed by friend, collaborator, and their former grandfather, Spike Jonze.
0
Follow Ewan McGregor and his friend Charley Boorman as they travel on electric Harley-Davidsons 13,000 miles through Central and South America. A follow up to previous series Long Way Round and Long Way Down.
0
Faced with sudden doubts about her marriage, a young New York mother teams up with her larger-than-life playboy father to tail her husband.
-1
In an unusual experiment, a thousand 17-year-old boys from Texas join together to build a representative government from the ground up.
-1
This docuseries showcases nature's lesser-known tiny heroes. Spotlighting small creatures and the extraordinary things they do to survive, each episode is filled with surprising stories and spectacular cinematography.
2
Get a front row seat to unguarded conversations with incredible authors. It’s a book club for today’s world.
1
Explore the history of the LGBTQ movement through the lens of TV in this five-part docuseries. Combining archival footage with new interviews, it looks at homophobia, invisibility, the evolution of LGBTQ characters, and coming out in the TV industry.
0
The story of Alice, an ambitious 47 year old female film director who becomes obsessed with 24 year old femme-fatale Sophie and eventually surrenders all moral integrity in order to achieve power, success and unlimited relevance.
2
Oprah leads intimate discussions with today’s foremost newsmakers, thought leaders, and masters of their craft. Bringing truth and perspective to a range of topics shaping our world, they reveal gripping stories of human connection.
4
The Fraggles might be apart in separate caves, but they can still find ways to have fun together! Join Gobo, Red, Boober, Mokey, Wembley, and Uncle Travelling Matt for stories and songs that show everyone how we're all connected.
0
Meet 17-year-old Hala, who struggles to balance being a suburban teenager with her traditional Muslim upbringing. As she comes into her own, Hala finds herself grappling with a secret that threatens to unravel her family.
-2
Filmed across six continents, this docuseries uses cutting-edge camera technology to capture animals' nocturnal lives, revealing new behaviours filmed in full color like never before.
1
Siblings Karl, Addy and Michael have a very special next-door neighbor: a wise panda named Stillwater. His friendship and stories give them new perspectives on the world, themselves, and each other.
1
A love letter to the diverse musicality of New York, it explores the universal journey of finding your authentic voice in your early twenties.
2
Blast off with Snoopy as he fulfills his dream to become a NASA astronaut. Joined by Charlie Brown and the rest of the Peanuts gang, Snoopy takes command of the International Space Station and explores the moon and beyond.
0
Join Athena, the majestic matriarch, as she leads her elephant herd across an unforgiving African landscape.
1
A tribute to The E Street Band, rock ‘n’ roll, and the way music has shaped Bruce Springsteen’s life, this documentary captures Bruce reflecting on love and loss while recording with his full band for the first time since Born in the U.S.A.
0
Told through the eyes of over 100 kids across the globe, this docuseries chronicles how children learn to think, speak, move, and love from birth to age five.
1
On the eve of Earth Day, a precocious seven-year-old learns about the wonders of the planet from his parents—and a mysterious exhibit at the aptly named Museum of Everything. Based on the best-selling children's book by Oliver Jeffers.
1
Cody and the Helpsters are a team of monsters who love to solve problems. Whether it's planning a party or mastering a magic trick, the Helpsters can figure anything out - because everything starts with a plan.
-1
Faced with a holiday cheer crisis, the North Pole knows there's only one person who can save the day: Santa’s great friend, Mariah Carey. Combining musical performances, dynamic dancing and groundbreaking animation, the undisputed Queen of Christmas jumps into action to create a holiday spectacular to make the whole world merry.
6
A joyful exploration of modern fatherhood, this doc gathers the testimonies of dads around the world, from famous comedians to everyday parents. Their unfiltered stories speak to the beauty, struggles, and ridiculous hilarity of being a dad today.
2
Ron Howard and Jeff Goldblum discuss the 1969 NASA Apollo 10 mission that featured a lunar module named "Snoopy" skimming around the moon's surface in preparation for the Apollo 11 moon-landing.
0
How can we mindfully move through a crisis while holding on to ourselves and our humanity? In this series, Oprah has remote conversations with experts and everyday people to provide insight, meaning, and tangible advice for the human spirit.
-1
Mark leads a team of office workers whose memories have been surgically divided between their work and personal lives. When a mysterious colleague appears outside of work, it begins a journey to discover the truth about their jobs.
2
This quick-witted spy drama follows a dysfunctional team of MI5 agents—and their obnoxious boss, the notorious Jackson Lamb—as they navigate the espionage world’s smoke and mirrors to defend England from sinister forces.
-4
As Jimmy Keene begins a 10-year prison sentence, he gets an incredible offer: If he can elicit a confession from suspected killer Larry Hall, Jimmy will be freed. Completing this mission becomes the challenge of a lifetime.
-1
Follows the Garvey sisters, who are bound together by the death of their parents and a promise to always protect each other.
1
A US soldier suffers a traumatic brain injury while fighting in Afghanistan and struggles to adjust to life back home in New Orleans. When she meets local mechanic James, the pair begin to forge an unexpected bond.
-5
A complex saga of humans scattered on planets throughout the galaxy all living under the rule of the Galactic Empire.
-1
When brilliant scientist Amber Chesborough vanishes along the Colombia-Venezuela border, her brother and her husband—both elite U.S. Army commandos—struggle to find her amid a guerilla war, discovering that the woman they love might have a secret.
3
As a CODA (Child of Deaf Adults), Ruby is the only hearing person in her deaf family. When the family's fishing business is threatened, Ruby finds herself torn between pursuing her love of music and her fear of abandoning her parents.
-2
The unlikely friendship of a boy, a mole, a fox and a horse traveling together in the boy’s search for home.
-1
Based on the New York Times bestseller, this sweeping saga chronicles the hopes and dreams of a Korean immigrant family across four generations as they leave their homeland in an indomitable quest to survive and thrive.
2
Allie Fox—a brilliant inventor and stubborn idealist—uproots his family for a dangerous quest through Mexico to flee the U.S. government and find safety.
-2
Escaped convict Lin Ford flees to the teeming streets of 1980s Bombay, looking to disappear. Working as a medic for the city’s poor and neglected, Lin finds unexpected love, connection, and courage on the long road to redemption.
-1
The greed-filled rise and inevitable fall of WeWork, one of the world's most valuable startups, and the narcissists whose chaotic love made it all possible.
-1
After divorcing her husband of 20 years, Molly Novak must figure out what to do with her $87 billion settlement. She decides to reengage with her charitable foundation and reconnect with the real world—finding herself along the way.
1
It's easy to feel overwhelmed by the world's problems. It's harder to pinpoint the systems responsible for creating them. In this series, Jon Stewart brings together people impacted by different parts of a problem to discuss how we come up with change.
-2
When a high school reunion’s afterparty ends in a stunning death, everyone is a suspect. A detective grills the former classmates one by one, uncovering potential motives as each tells their version of the story—culminating in the shocking truth.
-2
In this parody of 1940s musicals, backpacking couple Melissa and Josh get trapped in Schmigadoon, a magical town filled with singing and dancing townspeople, and learn they can't leave without finding true love—which they thought they already had.
-1
Twenty-something Máximo Gallardo's dreams comes true when he gets the job of a lifetime as a cabana boy at the hottest resort in Acapulco. He soon realizes the job is far more complicated than he ever imagined and in order to succeed, he must learn to navigate a demanding clientele, a mercurial mentor, and a complicated home life, without losing his way to shortcuts or temptations.
-2
Based on actual events from Hurricane Katrina. When the floodwaters rose, power failed, and heat soared, exhausted caregivers at a New Orleans hospital were forced to make profound, heart-wrenching decisions.
-1
Chickie wants to support his friends fighting in Vietnam, so he does something wild—personally bring them American beer. What starts as a well-meaning journey quickly changes Chickie’s life and perspective. Based on a true story.
1
Experience the wonders of our world like never before in this epic docuseries from Jon Favreau and the producers of Planet Earth. Travel back 66 million years to when majestic dinosaurs and extraordinary creatures roamed the lands, seas, and skies.
4
Each Christmas Eve, the Ghost of Christmas Present selects one dark soul to be reformed by a visit from three spirits. But this season, he picked the wrong Scrooge. Clint Briggs turns the tables on his ghostly host until Present finds himself reexamining his own past, present and future.
-1
Half brothers Raymond and Ray reunite when their estranged father dies—and discover that his final wish was for them to dig his grave. Together, they process who they’ve become as men, both because of their father and in spite of him.
-2
After years in the limelight, Selena Gomez achieves unimaginable stardom. But just as she reaches a new peak, an unexpected turn pulls her into darkness. This uniquely raw and intimate documentary spans her six-year journey into a new light.
-2
Years after a brutal attack left her in a constantly shifting reality, Kirby Mazrachi learns that a recent murder is linked to her assault. She teams with veteran reporter Dan Velazquez to understand her ever-changing present—and confront her past.
-5
On a post-apocalyptic Earth, a robot, built to protect the life of his dying creator's beloved dog, learns about life, love, friendship, and what it means to be human.
2
Earth is visited by an alien species that threatens humanity's existence. Events unfold in real time through the eyes of five ordinary people across the globe as the struggle to make sense of the chaos unraveling around them
-2
Inspired by the gripping true story of a man who would do anything for his family—and for freedom. When Peter, an enslaved man, risks his life to escape and return to his family, he embarks on a perilous journey of love and endurance.
0
London widow Cora Seaborne moves to Essex to investigate reports of a mythical serpent. She forms an unlikely bond with the village vicar, but when tragedy strikes, locals accuse her of attracting the creature.
-4
A traumatic head injury leaves Sophie with extreme memory loss. In her quest to put the pieces of her life back together—with help from her husband and friends—Sophie begins to question the truth behind her picture-perfect life.
-3
Fresh out of college and stuck at his New Jersey home without a clear path forward, 22-year-old Andrew begins working as a party starter for bar/bat mitzvahs—where he strikes up a unique friendship with a young mom and her teenage daughter.
0
Inspired by the true story of Marty and the therapist who turned his life around...then took it over. When he first meets Dr. Ike, Marty just wants to get better at boundaries. Over 30 years, he'll learn all about them—and what happens when they get crossed.
1
On the eve of college graduation, six best friends embark on an epic weekend to celebrate—but it takes a fatal turn. Nearly 20 years later, the survivors are reluctantly reunited by a blackmail text threatening to expose the truth about that fateful night.
-3
Suddenly finding herself in the never-before-seen Land of Luck, the unluckiest person in the world must unite with the magical creatures there to turn her luck around.
3
Sheila Rubin is a quietly tormented housewife in ’80s San Diego. Behind closed doors, she battles extreme personal demons and a vicious inner voice. But things change when she discovers aerobics, sparking a journey toward empowerment and success.
-1
Take an unforgettable journey with Hillary and Chelsea Clinton as they go on adventures with some of the world’s boldest and bravest women—from household names to unsung heroes—who make us laugh and inspire us to be more gutsy.
3
Macbeth, the Thane of Glamis, receives a prophecy from a trio of witches that one day he will become King of Scotland. Consumed by ambition and spurred to action by his wife, Macbeth murders his king and takes the throne for himself.
-1
Suddenly left without his trusted caretaker, Ptolemy Grey is assigned to the care of orphaned teenager Robyn. When they learn about a treatment that will restore Ptolemy’s dementia-addled memories, it begins a journey toward shocking truths.
0
Five ordinary Brits are accused of kidnapping the son of a prominent U.S. media mogul. They embark on a desperate race against time to prove their innocence, but will anyone believe them—and are they telling the truth?
0
Told through a series of interconnected phone conversations, this groundbreaking series chronicles the mysterious story of a group of strangers whose lives are thrown into disarray in the lead-up to an apocalyptic event.
-3
The unbelievable true story of the larger-than-life attorney, Eric C. Conn, who defrauded the government over half a billion dollars in the largest Social Security fraud case in history.
-2
This documentary offers a deeply intimate look at extraordinary teenager Billie Eilish. Award-winning filmmaker R.J. Cutler follows her journey on the road, onstage, and at home with her family as the writing and recording of her debut album changes her life.
2
Earvin “Magic” Johnson is an icon for the ages—from humble beginnings to the Dream Team to business titan. Featuring candid interviews with teammates, rivals, family, friends, and more, this docuseries charts the life and career of a legend.
1
In covert modern warfare, the line between right and wrong has blurred. This docuseries examines the moral ambiguities of war as embodied by the 2018 case in which a U.S. Navy SEAL platoon accused its chief, Eddie Gallagher, of war crimes.
-2
A widow becomes the object of a dangerous stalker, obsessed with her husband's work.
-1
7,000 passengers are stranded in the small town of Gander, Newfoundland after all flights into the US are grounded on September 11, 2001. Filmed live on stage at the Gerald Schoenfeld Theater in New York City.
0
This revealing documentary honors the legendary Sidney Poitier—iconic actor, filmmaker, and civil rights activist. Featuring interviews with Denzel Washington, Spike Lee, Halle Berry, and more.
3
Join Gobo, Red, Wembley, Mokey, Boober, and new Fraggle friends on hilarious, epic adventures about the magic that happens when we celebrate and care for our interconnected world.
3
After 12 years in prison, former high school football star Eddie Palmer returns home to put his life back together—and forms an unlikely bond with Sam, an outcast boy from a troubled home. But Eddie's past threatens to ruin his new life and family.
-5
Oprah Winfrey and Prince Harry join forces to guide honest discussions about mental health.
1
Oscar and Grammy Award-winning producer and artist Mark Ronson explores the intersection of technology and musical innovation with his heroes and fellow hitmakers—including Paul McCartney, DJ Premier, Charli XCX, Dave Grohl, and Questlove.
3
An intimate and revealing look at the world-changing musician, presented through a lens of archival footage and never-before-heard home recordings and personal conversations. This definitive documentary honors Armstrong's legacy as a founding father of jazz, one of the first internationally known and beloved stars, and a cultural ambassador of the United States.
3
Cherry drifts from college dropout to army medic in Iraq - anchored only by his true love, Emily. But after returning from the war with PTSD, his life spirals into drugs and crime as he struggles to find his place in the world.
-2
An emotional journey that follows a brain scientist who is obsessive about figuring out new technologies to access the consciousness and memories of the brain. His life goes sideways when his family falls victim to a mysterious accident, and  he uses his skills to access memories from his wife’s brain to piece together the mystery of what actually happened to his family and why.
-3
A deep cut into the days and nights of a public schoolteacher in the San Fernando Valley.
0
Experience the iconic rock band's legacy in the first major documentary to tell their story. Directed with the era’s avant-garde spirit by Todd Haynes, this kaleidoscopic oral history combines exclusive interviews with dazzling archival footage.
1
Lennie is a teen musical prodigy grieving the death of her sister when she finds herself caught between a new guy at school and her sister's devastated boyfriend. Through her vivid imagination and conflicted heart, Lennie navigates first love and first loss.
-2
In the near future, Cameron Turner is diagnosed with a terminal illness. Presented with an experimental solution to shield his wife and son from grief, he grapples with altering their fate.
-3
Two biologists set out on an undertaking as colossal as their subjects—deciphering the complex communication of whales. Dr. Michelle Fournet and Dr. Ellen Garland journey to opposite hemispheres to uncover a culture eons older than our own.
-1
Discover a side of Abraham Lincoln you’ve never seen before. In this four-part docuseries, a diverse panel of historians and rare archival materials offer a more nuanced look into the man dubbed the Great Emancipator.
1
Explore the world of AAU basketball in the nation’s capital, and the players, their families and coaches who walk the fine line between dreams and ambition, and opportunism and corruption.
0
Between her parents’ divorce and best friend moving away, Amber Brown is having a tough time. But her art, video diary, and new friend Brandi provide outlets for Amber to express her feelings and find gratitude in the love that surrounds her.
4
In this true-life twist on a holiday fable, Jeremy Morris brings a whole new meaning to Christmas spirit when his extravagant seasonal display sparks a dispute with his neighbors that lands them all in court.
-3
Charles and Lizzie Peterson have found the perfect way to foster their love of dogs — literally. The siblings take on the tough but rewarding task of fostering puppies and finding their forever homes. With every new pup, a new adventure begins.
4
Experience the events of September 11, 2001 through the eyes of President Bush and his closest advisors as they personally detail the crucial hours and key decisions from that historic day.
0
Never-before-seen footage shows how our living in lockdown opened the door for nature to bounce back and thrive. Across the seas, skies, and lands, Earth found its rhythm when we came to a stop.
1
Preschoolers are invited into a world where a little act of kindness can change the world. Alongside special guest stars, Jack inspires kids to solve problems with kindness and heart while showcasing stories where acts of kindness are shown through “The Three C’s” – caring, connecting and cascading – from one person to another.
2
Quick wits lead to daring discoveries for beachside besties Sam and Jade as they sleuth out supernatural mysteries in their sleepy hometown of Surfside. Based on the best-selling young adult graphic novels.
2
After a life-changing experience, 13-year-old Ella is eager to seize the day. As she learns to appreciate each moment, she faces the fears that once defined her—and encourages others to do the same.
1
Outspoken and perpetually curious. That’s 11-year-old Harriet in a nutshell. But if she’s going to be Harriet M. Welsch, future writer, she’ll need to know everything. And to know everything means she’ll need to spy…on everyone.
0
Nestled in lavender fields is a lovely little farm where sisters Jill and Jacky nurture and love all their animals—including the talking ones. Being a young farmer isn’t easy, but every day brings adventure and a chance to grow.
3
From homeschooled to the new kid in school, Josh is stepping into a whole new adventure.
0
A documentary about Peanuts and its creator, Charles M. Schulz. Famous fans—including Drew Barrymore, Kevin Smith, and Al Roker—share its influence on them, and a new animated story finds Charlie Brown on a quest.
1
Makur Maker was a five-star NBA prospect headed to the Draft—until an unexpected detour led him to Howard University. This inspiring docuseries follows Makur’s journey and his determination to rewrite his story with the help of his family.
1
The world’s most iconic dog is ready for his close-up. Dive into new adventures with the happy-dancing, high-flying, big-dreaming beagle, who's joined by best friend Woodstock and rest of the Peanuts gang.
2
The Peanuts gang is nervous about going to a new school, so Lucy starts her own. She soon learns that teaching is tougher than she thought—and that change can be a good thing.
1
After finding out her grandmother won't be visiting for Christmas, Lucy decides to cheer herself up by throwing the ultimate New Year's Eve party. Meanwhile, Charlie Brown tries to fulfill one of his resolutions before the clock strikes midnight.
0
When a horticulturalist-astronaut crashes onto a desolate planet, he encounters an ethereal visitor and discovers the joy of building a new life—realizing the universe has delivered something astonishing.
0
William Wolfe is no ordinary human boy. Down in the magical spryte realm of the Everything Factory, he’s Wolfboy. And with his new spryte friends, he learns his vivid imagination and limitless creativity have the power to change the world.
2
Meet Pretzel, the world’s longest dachshund and a playful, supportive dad to five frisky puppies. Together with his wife, Greta, they encourage their pups to get their paws up to solve problems and “make their bark” on the world.
2
Charlie Brown is determined to win the big baseball game. But things turn into a fiasco right before the matchup, when Sally bonds with a little flower on the pitcher’s mound and vows to protect it at all costs.
2
A young little chicken named Piper has a habit of interrupting storytime! Every time Piper hears a story, she can’t help but jump in, ask questions and let her imagination run wild as she tries to fill in details, guess what happens next or insert herself in the middle of the action to help save the day.
-1
Welcome to Long Hill Dairy Farm, home to Otis the tractor and all his friends. Otis may be little, but he has a big heart. Whenever he sees a friend in need, he hits the brakes to see what’s wrong and rolls into action to help.
0
Mother’s Day is almost here, and the gang is excited—except Peppermint Patty. For her, it’s a reminder that she didn’t grow up with a mom. But good pal Marcie helps Peppermint Patty see that families come in all shapes and sizes.
1
Based on Kate Beaton’s children’s picture book “The Princess and the Pony,” Pinecone & Pony is an adventure led by two independent warriors who are fearlessly themselves.
2
Welcome to Sagoville, where Harvey loves to play and discover ways to have silly fun! He and his closest friends explore, imagine, and express true thankfulness for all things, big and small, through creative adventures and unforgettable songs.
4
Going to school and making new friends can be tough. Having to do both while wearing a bulky hearing aid on your chest? That takes superpowers! With a little help from her superhero alter ego, El Deafo, Cece learns to embrace her differences.
0
The Queen of Christmas returns with a blast of holiday cheer in this special. Mariah performs her enchanting original song “Fall in Love at Christmas” with Khalid and Kirk Franklin, chats with Apple Music’s Zane Lowe, and signs off with a festive classic.
4
Jimmy is struggling to grieve the loss of his wife while being a dad, friend, and therapist. He decides to try a new approach with everyone in his path: unfiltered, brutal honesty. Can he help himself by helping others? Will it bring him back into the light?
-2
In a retro-future world, a group of traveling salesmen hawk lunar timeshares. Among them is Jack, a salesman of great talent and ambition, whose unshakeable faith in a brighter tomorrow inspires his coworkers, revitalizes his desperate customers but threatens to leave him dangerously lost in the very dream that sustains him.
2
Motivations are suspect, and expectations are turned chaos, as a con artist takes on Manhattan billionaires.
-2
A 12-year-old boy survives a plane crash that kills every other passenger on the flight, including his family. As he and others affected by the tragedy try to make sense of what happened, unexpected friendships, romances, and communities are formed.
-4
Award-winning actor and nervous explorer Eugene Levy steps out of his comfort zone for a whirlwind tour of the world’s most beautiful and intriguing destinations.
2
This contemporary thriller explores how past mistakes have the potential to destroy the future. It blends action with an unpredictable plot in which espionage and political intrigue play out against a story of passionate, enduring love.
-1
On a charming island, Square, Triangle, and Circle seek adventure and connection while learning how to navigate each other’s differences. Based on the internationally best-selling books by Mac Barnett and Jon Klassen.
2
A holiday favourite for generations...  George Bailey has spent his entire life giving to the people of Bedford Falls.  All that prevents rich skinflint Mr. Potter from taking over the entire town is George's modest building and loan company.  But on Christmas Eve the business's $8,000 is lost and George's troubles begin.
-1
Rufus T. Firefly is named president/dictator of bankrupt Freedonia and declares war on neighboring Sylvania over the love of wealthy Mrs. Teasdale.
1
The Three Stooges were an American vaudeville and comedy team active from 1922 until 1970, best known for their 190 short subject films by Columbia Pictures that have been regularly airing on television since 1958. Their hallmark was physical farce and slapstick. In films, the stooges were commonly known by their actual first names. There were a total of six stooges over the act's run (with only three active at any given time), but Moe Howard and Larry Fine were the mainstays throughout the ensemble's nearly fifty-year run.
-1
Laugh along with funnyman Jack Benny as he brings his underplayed humor to TV along with regular performers from his radio show days.
1
It's the hope that sustains the spirit of every GI: the dream of the day when he will finally return home. For three WWII veterans, the day has arrived. But for each man, the dream is about to become a nightmare.
-1
An Episcopal Bishop, Henry Brougham, has been working for months on the plans for an elaborate new cathedral which he hopes will be paid for primarily by a wealthy, stubborn widow. He is losing sight of his family and of why he became a churchman in the first place. Enter Dudley, an angel sent to help him. Dudley does help everyone he meets, but not necessarily in the way they would have preferred. With the exception of Henry, everyone loves him, but Henry begins to believe that Dudley is there to replace him, both at work and in his family's affections, as Christmas approaches.
3
The ruthless, moneyed Hubbard clan lives in, and poisons, their part of the deep South at the turn of the 20th century. Regina Giddons née Hubbard has her daughter under her thumb. Mrs. Giddons is estranged from her husband, who is convalescing in Baltimore and suffers from a terminal illness. But she needs him home, and will manipulate her daughter to help bring him back. She has a sneaky business deal that she's cooking up with her two elder brothers, Oscar and Ben. Oscar has a flighty, unhappy wife and a dishonest worm of a son. Will the daughter have to marry this contemptible cousin? Who will she grow up to be - her mother or her aunt? Or can she escape the fate of both?
-11
A group of people traveling on a stagecoach find their journey complicated by the threat of Geronimo, and learn something about each other in the process.
-2
A gold prospector in Alaska struggles to survive the elements and win the heart of a dance hall girl.
1
A young actress hits Hollywood determined to be a movie star and runs into a lot of roadblocks along the way.
0
Fifth Avenue socialite Irene Bullock needs a "forgotten man" to win a scavenger hunt, and no one is more forgotten than Godfrey Park, who resides in a dump by the East River. Irene hires Godfrey as a servant for her riotously unhinged family, to the chagrin of her spoiled sister, Cornelia, who tries her best to get Godfrey fired. As Irene falls for her new butler, Godfrey turns the tables and teaches the frivolous Bullocks a lesson or two.
-2
The happy tranquility of Bugville is shattered when the populace learns that a colossal skyscraper is to be built over their tiny town.
2
The story of a century: a decades-long second World War leaves plague and anarchy, then a rational state rebuilds civilization and attempts space travel.
-1
A retired auto manufacturer and his wife take a long-planned European vacation only to find that they want very different things from life.
0
Rich old Cyrus West's relatives are waiting for him to die so they can inherit. But he stipulates that his will be read 20 years after his death. On the appointed day his expectant heirs arrive at his brooding mansion. The will is read and it turns out that Annabelle West, the only heir with his name left, inherits, if she is deemed sane. If she isn't, the money and some diamonds go to someone else, whose name is in a sealed envelope. Before he can reveal the identity of her successor to Annabelle, Mr. Crosby, the lawyer, disappears. The first in a series of mysterious events, some of which point to Annabelle in fact being unstable.
-2
The story of the life and career of the baseball hall of famer, Lou Gehrig.
0
The Earnshaws are Yorkshire farmers during the early 19th Century. One day, Mr. Earnshaw returns from a trip to the city, bringing with him a ragged little boy called Heathcliff. Earnshaw's son, Hindley, resents the child, but Heathcliff becomes companion and soulmate to Hindley's sister, Catherine. After her parents die, Cathy and Heathcliff grow up wild and free on the moors and despite the continued enmity between Hindley and Heathcliff they're happy -- until Cathy meets Edgar Linton, the son of a wealthy neighbor.
-1
Shortly before Christmas, a family moves into an apartment where Rupert the squirrel lives in the attic rafters. Just as it seems that the holiday will come and go without so much as a Christmas tree, Rupert acts as the family's guardian angel - not only saving Christmas, but changing their lives forever.
1
Walter Mitty, a daydreaming writer with an overprotective mother, likes to imagine that he is a hero who experiences fantastic adventures. His dream becomes reality when he accidentally meets a mysterious woman who hands him a little black book. According to her, it contains the locations of the Dutch crown jewels hidden since World War II. Soon, Mitty finds himself in the middle of a confusing conspiracy, where he has difficulty differentiating between fact and fiction.
-2
A golddigging femme fatale leaves a trail of men behind her, rich and poor, alive and dead.
-1
An ambitious lumberjack abandons his saloon girl lover so that he can marry into wealth, but years later becomes infatuated with the woman's daughter.
2
Alice goes with her sister to a picnic and then she falls asleep and starts dreaming about a wonderland full of talking animals and walking playing cards.
-1
Wildcat riggers risk their lives in the pursuit of oil. Their jobs get even more dangerous when ruthless oil baron J.C. Anderson sets his sights on their territory. When longtime driller Dan O'Reilly falls to his death from a well tower sabotaged by Anderson's strong-arm thugs, his teenage son 'Fishtail' inherits the property and the troubles that come with it. With the help of his geologist pal, Hank Langford, the boy fights to bring in a gusher before the deed to the well-site expires.
-6
Stella Maris is a beautiful, crippled girl, who is cared for by a rich family. They shield her from the harsh realities of the world, so that she has no idea of the cruel things that some people do. Unity Blake is a poor orphan all too familiar with the harsh realities of the real world. These two young women both fall in love with John, love which is complicated by the fact that he is still married to (though separated from) a bad wife.
-4
After divorcing a society man, a small-town woman tries to build a better life for their daughter.
1
Suspecting that a safari guide is a wanted killer, undercover policeman Geoffrey Bishop (Richard Fraser) joins a safari led by the suspect for a scientist that hopes to find and prove that a fabled white gorilla is a missing link.
-1
William Reardon, a steel magnate, dies and leaves a strange will. When his spineless and dandified heir and son returns home from living in Paris, he finds "Tons' Walker, a strong and burly steel worker running the company, per his late-father's will request. He also finds that his father's will specifies the Junior will change his name to Bill Hall and work in the family steel mill for a year under the fake name. Walker's job is to make a man out of the son. The son is not overjoyed by this prospect. Neither is Walker.
1
A half Mexican, half Irish gunman called The Irish Gringo and his pals come across a little girl wandering in the desert. It turns out her grandfather was murdered by a gang looking for the Lost Dutchman mine, a map of which is drawn on the shirt she is wearing, and now the outlaws are after her.
-3
A story about a Russian family torn apart by a worker's strike. At first, the mother wants to protect her family from the troublemakers, but eventually she realizes that her son is right and the workers should strike.
-1
A railroad man and the owner of a freight line battle for control of a crucial mountain pass.
0
The youngsters Matahi and Reri are in love with each other. The old warrior Hitu announces that Reri is to be the new chosen virgin for the gods. This means she must stay untouched, otherwise she and her lover will be killed. But Matahi abducts and escapes with her to an island ruled by the white man, where their gods would be harmless and powerless.
0
The fifth film in the 24-film Range Busters series finds "Crash", "Dusty" and Alibi, on their way to Gopher City to become the town's peace officers. In the saloon, young Jimmy Rowell is losing money in a crooked poker game to saloon owner Bob Harmon. Harmon and his henchman Bart Gill are in reality wanted-outlaw brothers Jim and Ike Breedon seeking revenge against Jimmy and his school-teaching sister Sally as their father, a circuit judge in Nebraska, had sentenced their brother Bud to be hanged. Harmon involves Jimmy, because of his gambling debts, in a robbery of a rancher known to keep large amounts of money at his ranch. The Range Busters break up the robbery, Bart is killed, as is Rancher Fleming, and Jimmy is wounded but escapes. Harmon, setting a trap for Crash, tricks Sally and Jimmy to his hideout, and Crash follows them.
-11
Two petty gangsters trying to elude their enemies join the French Foreign Legion.
-3
An unhappily married newspaper reporter discovers she's being used as a pawn in a scheme to discredit the political candidate she's been assigned to write about.
-2
A trio of money-hungry women rent a luxurious penthouse, spending their dough on drink and debonair clothing, backbiting and catfighting as they steal each other's boyfriends.
-1
Tex arrives on the Parker ranch on Christman eve and is given the job of being Santa Claus. Also dressed as Santa Claus, Blackie robs Parker and kills a man. When Tex is arrested for the murder, he escapes and joins up with outlaw Becker and his gang. He finds Blackie's Santa Claus suit but is soon made a prisoner.
-4
Ebenezer Scrooge, the ultimate Victorian miser, hasn't a good word for Christmas, though his impoverished clerk Cratchit and nephew Fred are full of holiday spirit. In the night, Scrooge is visited by spirits of the past, present, and future.
-1
A Ukrainian village must suddenly contend with the Nazi invasion of June 1941.  Later re-edited and released as "Armored Attack."
-2
A gang of crooks wrestles with the temptation to rob the bank that they now manage.
-3
Ignored by his ever-busy wife and children, a middle-aged businessman finds companionship with a former female employee.
0
The feature length version of the serial by the same name. A mystical medicine arrow, the key to a lost gold treasure, is lost in one of many Indian attacks. It is recovered by the only two survivors, a Major and his daughter, who become the targets of those who wish to possess it. General George Armstrong Custer and army scout Kid Cardigan attempt to stop the ensuing war over the arrow, but fail in their efforts, which becomes the historic Custer's Last Stand.
-1
In 15th century France, a gypsy girl is framed for murder by the infatuated Chief Justice, and only the deformed bellringer of Notre Dame Cathedral can save her.
-2
Mobster "Baby Face" Martin returns home to visit the New York neighborhood where he grew up, dropping in on his mother, who rejects him because of his gangster lifestyle, and his old girlfriend, Francey, now a syphilitic prostitute. Martin also crosses paths with Dave, a childhood friend struggling to make it as an architect, and the Dead End Kids, a gang of young boys roaming the streets of the city's East Side slums.
-5
A man is brought back from death at the same time a vicious criminal dies in the electric chair. However, the man's soul is now taken over by the electrocuted gangster, who embarks on a vengeful crime wave.
-6
A government agent sets out to capture a gang of airmail bandits who use a death ray to blow planes out of the sky.
-2
Tom Keene, formerly George Duryea and latterly Richard Powers, made his final starring appearance in the Monogram western The Painted Trail. Keene is cast as a former federal agent who is drawn out of retirement to stem the activities of smugglers Boss (Leroy Mason) and Driscoll (Walter Long). Disguising himself as an outlaw, our hero gains the confidence of the two desperadoes, only to be found out at the least appropriate time. Rest assured that Keene saves the day and manages to march ingenue Ann (Eleanore Stewart) to the altar.
3
Jack rides into trouble when he meets up with Bill Meeker and his outlaw gang. Rescued from the gang's clutches by Don carlos, he joins forces with Carlos and with the help of Lolita who learns of the gang's next raid, they go after the culprits.
-3
Sandy Doyle, gambler and political chief of a small border town, seeks to gain control of the Bar-X Ranch, owned by Rufe Rickson, to further some undercover activities of his own. He counts on Rickson's inability to stay away from gambling as the means to his ultimate success. Government investigator Oliver Shea and his assistant, Dan Haggerty, start a fight in Doyle's place when they see Rickson being cheated and are invited to the Bar-X where Oliver and Helen Rickson, Rufe's daughter, discover interest in each other and Dan finds himself pursued by Bell, the ranch cook. Sheriff Larson brings the prize money for the $5,000 race of the Rodeo Association, and that night it is stolen.
0
Two military pilots are close friends, and share in a lot of hazardous missions while engaging in a series of good-natured romantic rivalries. But when one of the pilots loses a girl he really cared for, he cannot forgive his friend. Soon afterwards, they must work together on their most dangerous mission yet.
-1
A documentary propaganda film produced by the U.S. Army Signal Corps about the Aleutian Islands Campaign during World War II. The film opens with a map showing the strategic importance of the island, and the thrust of the 1942 Japanese offensive into Midway and Dutch Harbor. Nominated for the Academy Award for Best Documentary Feature.
0
On the mystic island of Lemuria, the cult of Ubasti seek the Egyptian Princess Nadji to sacrifice so that their goddess Ossana, whose soul resides in Nadji's body, may be resurrected by Black Magic. Nadji is located in the Far East port of Suva, but shielded by the White Magical powers of Frank Chandler, an American raised by Eastern mystics who is also known as Chandu. When Chandu takes a voyage alone, however, the evil Voice of Ubasti is able to magically spirit her to Lemuria, where Black Magic reigns supreme. Chandu sets out in pursuit with his sister Dorothy, niece Betty and nephew Bob; but, shipwrecked on the magic island, Chandu finds his family also held prisoner for sacrifice while he is plunged into an endless maze of caverns beneath the evil temple, where both his mortal and magical strength seem rendered useless.
2
A young wild girl, Fanchon, lives in a forest with her eccentric grandmother who is suspected by the villagers of being a witch. The unkempt Fanchon suffers from her grandmother's sorceress reputation. One day the girl rescues a boy from drowning and they fall in love, but Fanchon won't agree to marry him unless his father asks her. A year later the boy has fallen very ill and it is only the presence of the enchanting Fanchon that helps to restore his health.
-3
A landslide has diverted water from the Baldwin ranch to Cambert's. With their cattle dying, Cambert refuses to let them have any water. Easterner Larry Knight takes a job with the Baldwins and he has a plan to divert the water back to the Baldwin ranch. But Phil, jealous of Kitty's attraction to Larry, lets Cambert know of the scheme.
-2
A Mountie sets out to infiltrate and break up a gang of counterfeiters.
-1
It is prior to the commencement of World War II, and Japan's fiendish Black Dragon Society is hatching an evil plot with the Nazis. They instruct a brilliant scientist, Dr. Melcher, to travel to Japan on a secret mission. There he operates on six Japanese conspirators, transforming them to resemble six American leaders. The actual leaders are murdered and replaced with their likeness.
-3
A test pilot and his weather observer develop a "robot" control so airplanes can be flown without pilots, but enemy agents get wind of it and try to steal it or destroy it.
-3
Gangster Chandler and his accomplice Tracy arrive at a dude ranch. Cowboy Kentucky arrives at the same time. When Tracy double-crosses his boss and has the stage robbed, Kentucky finds the outlaws and brings them in. Tracy frames him for the murder of the driver but his pal Cactus gets him out of jail. He returns just as Chandler shoots Tracy and Kentucky finds himself arrested for another murder.
-4
When bookseller Buzz cons Diana into thinking that his friend Stanley knows all there is to know about Africa, they are abducted and ordered to lead Diana and her henchmen to an African tribe in search of a fortune in jewels.
2
Mickey Lofton, young half-brother of famed war-aviator Jerry, fails in his attempt to enter the Canadian Air Corps, because of his fear of thunderstorms developed by an incident in his boyhood days. Jerry, now a Captain in the U.S. Department of Justice, is given an assignment to capture some border oil smugglers. Through his friendship with Raoul McGuire, one of the suspects, Jerry is accepted as a member of the gang. Mickey is in love with Raoul's sister, Molly. Gang leader Moran shoots and wounds Raoul, and is himself shot down by Jerry. Mickey flies Molly and her wounded brother to a hospital. Jerry takes off in another plane to guard Mickey's craft from a pursuing airplane, and crashes his plane into the gangster's plane but parachutes to safety.
-4
An easy-going cowboy is mistaken by the townsfolk for a notorious gunman. The cowboy decides it would be best to leave town, until he meets the gunman's girlfriend.
-1
A doctor and his staff in a hospital on the Philippine island of Corregidor shortly after the Japanese attack on Pearl Harbor try to treat the sick, injured and wounded as American and Filipino troops desperately try to beat back a ferocious Japanese attack.
-4
A telephone operator covering for a friend's "fling" finds herself in the middle of a major disaster when the city is hit by a big flood and her switchboard is the center of communications.
-1
The story of seven scholars in search of an expert to teach them about swing music. They seem to have found the perfect candidate in winsome nightclub singer Honey Swanson. But Honey's gangster boyfriend doesn't want to give her up.
0
Drummond manages to save a woman from jumping in front of his car but she runs away with his car. He traces her and she asks him to help her out of a dangerous situation.
-1
Foxes are disappearing from fox farms.
0
Two young hoods from the city are sent to a Civilian Conservation Corps camp in the mountains to try to turn them away from the life of crime they're headed for.
-1
Two friends take jobs as truck drivers, unaware that the trucking company is being targeted by a gang of saboteurs who will stop at nothing, including murder, to stop them.
-1
In this western, the good-guy battles his bad-guy double and his band of outlaws to protect a purty gal's ranch.
0
The idyllic life of a young Cajun boy and his pet raccoon is disrupted when the tranquility of the bayou is broken by an oil well drilling near his home.
2
The students of Lakeview Elementary devise comedic ways to torment their new teacher.
-1
John Schuyler, a happily married lawyer, is appointed diplomat and sent to England; But, due to an unfortunate accident, his wife and child can not come along with him. On the ship to England, Schuyler meets the notorious Vampire-- A relentless gold-digger who causes the moral degradation of those she seduces, first fascinating and then draining the very life from her victims.
-3
A cowboy rides by night to catch the man who killed his brother.
-1
Three brash and cocky powder mixers are sent to South America to work at a dynamite plant there.
-1
Just before Adolph Greig's solo violin performance at the Cosmopolitan Orchestra, his right hand is injured and his dream, shattered. His flighty children turn their backs on him and he collapses in the street. However, an opportunity arises for him to tutor a young violin prodigy.
0
Jimmy, a young boy, idolizes famed train engineer Casey Jones and is devastated when his hero is killed in a train wreck. The boy grows up to be a railroad engineer, too, but one day the train he is piloting loses its brakes and wrecks. Jimmy tries to fix it but has to jump off at the last minute. Unfortunately, stories begin to circulate that he turned coward and jumped off the train first, letting it be destroyed rather than try to save it. He sets out to clear his name.
-4
Safely from behind some shrubbery, Johnny Hume, a boy of 6 or 7, witnesses the slaughter of his mother, father and brother by the guns of a gang led by "the Cat". Twenty years later finds Johnny grown to manhood, an expert bronc rider and target shooter - but paralyzed with fearful memories in an actual gunfight. This is brought home to him when some outlaws stick up the local saloon and Johnny ends up cowering behind the bar.
-2
Shy milkman Burleigh Sullivan accidentally knocks out drunken Speed McFarlane, a champion boxer who was flirting with Burleigh's sister. The newspapers get hold of the story and photographers even catch Burleigh knock out Speed again. Speed's crooked manager decides to turn Burleigh into a fighter. Burleigh doesn't realize that all of his opponents have been asked to take a dive. Thinking he really is a great fighter, Burleigh develops a swelled head which puts a crimp in his relationship with pretty nightclub singer Polly Pringle. He may finally get his comeuppance when he challenges Speed for the title.
-3
A beautiful female doctor visits her small hometown on her way back to Chicago. Her overworked uncle, who is the town's doctor, wants her to stay and help him, and he and a macho test pilot who's fallen for her come up with a plan that involves the pilot faking an illness and being treated by her, with her uncle's "help".
-1
Up-and-coming Hollywood actor/crooner, Vic Morton, has a secret. He starts receiving death threats in the mail and an attempt on his life is made. Soon after, two of his associates are murdered. Who is behind it all?
-2
Martin Granville Jr., a star track-and-field athlete, has intentions of going to Claxton College, but changes his mind when he meets Pat Meredith, a co-ed at a rival college, changes his mind team and goes to college there, just as his father Martin Granville Sr., an alum of the school, had wished. But his father has ordered him not to play football. "Dad" Granville, has offered a $100,000 endowment to his old school, not knowing his son has joined the football team, but is going to withdraw it if his son plays in the Big Game against Claxton.
-1
A Capone-like racketeer named Anderson, who after being chased out of one town by the authorities immediately sets up shop in another. Unable to get any tangible evidence against Anderson, DA Wayne orders his assistant Carter to dig up some dirt on the gangster boss. To do this, Carter pretends to turned crooked, joining Anderson's gang in order to accumulate evidence. Alas, Carter's girl friend Patricia knows nothing of her boyfriend's subterfuge, and she suspects the worst.
-7
A crooked lawyer trying to cheat a young girl out of her inheritance tries to convince a sea captain to help him.  Re-released in 1939 as "Phantom Submarine U-67."
-2
The Rough Riders are after a gang of rustlers. Marshal Roberts is posing as a wanted outlaw, McCall is the Marshal supposedly after him, and Sandy is on hand as a cook. Roberts hopes his joining the gang will help bring them in.
-2
Greek sponge divers in Tarpon Springs, Florida duel over diving methods and fight over the same girl, and only one will survive.
0
A Polynesian sailor is separated from his wife when he's unjustly imprisoned for defending himself against a colonial bully. Members of the community petition the governor for clemency but all pretense of law and order are soon shattered by an incoming tropical storm.
-3
Cowboy star Ken Maynard is Jim "Trigger" Morton, in town undercover while pursuing the man who framed him for robbery. But a well-placed shot tames a band of scofflaws and gains Morton the sheriff's badge. Now, he's riding on both sides of the law. The line is further blurred when old buddy Chuck (Walter Long) offers evidence of Morton's innocence in exchange for a blind eye to Chuck's impending postal heist in this classic Western.
-1
No overview yet.
0
During the Nazi occupation of Czechoslovakia, surgeon Dr. Franticek Svoboda, a Czech patriot, assassinates the brutal "Hangman of Europe", Reichsprotektor Reinhard Heydrich, and is wounded in the process. In his attempt to escape, he is helped by history professor Stephen Novotny and his daughter Mascha.
1
Drifter Cole Harden is accused of stealing a horse and faces hanging by self-appointed Judge Roy Bean, but Harden manages to talk his way out of it by claiming to be a friend of stage star Lillie Langtry, with whom the judge is obsessed, even though he has never met her. Tensions rise when Harden comes to the defense of a group of struggling homesteaders who Judge Bean is trying to drive away.
-6
Boisterous nightclub entertainer Buzzy Bellew was the witness to a murder committed by gangster Ten Grand Jackson. One night, two of Jackson's thugs kill Buzzy and dump his body in the lake at Prospect Park in Brooklyn. Buzzy comes back as a ghost and summons his bookworm twin, Edwin Dingle, to Prospect Park so that he can help the police nail Jackson.
-5
Two former WWI aces from opposite sides, Bill Ramsey and Otto Shumann, in the best tradition of Eddie Rickenbacker and the Red Baron, barnstorm their way across the Poverty Row skies of middle-America while competing for daredevil honors and the favors of the lovely Eve.
3
Gangsters try to get a boxer to throw an important fight.
0
Working undercover, Allen and sidekick Mendoza are out to stop the mail train robberies. Rivers and his gang are the culprits and by joining up with them, they hope to get the evidence they need.
-1
To draw attention to a popular show, a publicity expert hires a former carnival character, not knowing that the man is on the run from the law.
1
When attacked by two dogs, Joe Gilmore leaves them on the desert to die. Later one of the dogs saves John Blake from drowning. Men arrive claiming the dog is killing their chickens. They want to kill the dog but John convinces them the dog's fate should be determined by a trial.
-5
A scientist is turned into an ape man.
0
Tobin is after the bandit Zanti who killed his parents. He finds him just as Zanti is about to kill Dusty and kidnap Ruby. Saving the two, he goes after Zanti. He catches him but Zanti escapes the Sheriff's handcuff's and this time Tobin has to chase him into the desert.
-4
Ignored by his alcoholic parents, Jimmy Wilson starts hanging around with some shady characters. After falling in love with a lounge singer, Jimmy tries to impress her by doing jobs for her shady boss. After one of these jobs goes bad, Jimmy ends up on the run. Eventually, he must confront the truth, his past, and his parents. The judge cites parental neglect in the case of a teenager (John Miljan) charged with murder.
-5
Evelyn, an emotionally vulnerable and unstable woman, stays at the home of her doctor Dan Proctor. There she meets and falls in love with his brother, Douglas, who is happily married to Ann. Evelyn then sets forth to break up the happy marriage and win the love of Douglas.
1
A chemical manufacturer is killed just after asking detective James Wong to help him. So Detective Wong decides to investigate this as well as two subsequent murders.
-1
A pretty Chinese woman, seeking help from San Francisco detective James Lee Wong, is killed by a poisoned dart in his front hall, having time only to scrawl "Captain J" on a sheet of paper. She proves to be Princess Lin Hwa, on a secret military mission for Chinese forces fighting the Japanese invasion. Mr. Wong finds two captains with the intial J in the case, neither being quite what he seems; there's fog on the waterfront and someone still has that poison-dart gun...
0
Joan Terry, from Kansas City, comes to New York to get a job on the stage. But until she finds an opportunity, she stays at a boarding house where other talent is also waiting. To get a better chance, the people there decide to build a talent pool, where the person with the most chances for a job gets the full support, trying to get jobs for the others there too - and Joan is chosen to do that. But this is not so easy when her fiance is trying to keep her away from the stage...
5
Kit Cardigan seeks the killer of his father...among other plot threads leading up to the famous historical incident.
0
Naomi, a light-skinned Black child, is abandoned by her mother and raised by the virtuous Mrs. Saunders.  When the girl's fixation with whiteness turns her against her own race, she is sent to a convent.  Hopelessly in love with her adoptive brother Jimmie, Naomi consents to marry his friend, but is repulsed by his darker skin and unrefined ways.
-1
An elevator operator invents a machine that he believes can help to defeat a corrupt politician in the city's upcoming mayoral election.
0
Four panelists must determine guests' occupations - and, in the case of famous guests, while blindfolded, their identity - by asking only "yes" or "no" questions.
1
A doctor's research into the roots of evil turns him into a hideous depraved fiend.
-4
In the wake of the Spanish-American war, military doctor Bill Canavan (Cooper) arrives at a war-torn Filipino outpost. Infested with cholera and under attack from a vicious local Moro chieftain, the troops are terrified and their commanding officer has all but given up hope. Outnumbered and out of supplies, Canavan decides to trade his scalpel for a rifle and rally the few remaining troops into one last stand before the outpost and everyone inside becomes just another footnote in history.
-3
Topper is once again tormented by a fun-loving spirit. This time, it's Gail Richards, who was accidentally murdered while vacationing at the home of her wealthy friend, Ann Carrington (Landis), the intended victim. With Topper's help, Gail sets out to find her killer with the expected zany results.
-1
Patsy Brand is a chorus girl at the Pleasure Garden music hall. She meets Jill Cheyne who is down on her luck and gets her a job as a dancer. Jill meets adventurer Hugh Fielding and they get engaged, but when Hugh travels out of the country, she begins to play around.
2
A beautiful but unscrupulous female performer manipulates all the men in her life in order to achieve her aims.
0
Amid big-budget medieval pageantry, King Richard goes on the Crusades leaving his brother Prince John as regent, who promptly emerges as a cruel, grasping, treacherous tyrant. Apprised of England's peril by message from his lady-love Marian, the dashing Earl of Huntingdon endangers his life and honor by returning to oppose John, but finds himself and his friends outlawed, with Marian apparently dead. Enter Robin Hood, acrobatic champion of the oppressed, laboring to set things right through swashbuckling feats and cliffhanging perils!
-1
Danny O'Neill and Hank Taylor are rival trumpeters with the Perennials, a college band, and both men are still attending college by failing their exams seven years in a row. In the midst of a performance, Danny spies Ellen Miller who ends up being made band manager. Both men compete for her affections while trying to get the other one fired.
-1
A venal, spoiled stockbroker's wife impulsively embezzles $10,000 from the charity she chairs and desperately turns to a Burmese ivory trader to replace the stolen money.
-4
On the beach one night, Christine Faber, two years a widow, thinks she hears her late husband Paul calling out of the surf...then meets a tall dark man, Alexis, who seems to know all about such things. After more ghostly manifestations, Christine and younger sister Janet become enmeshed in the eerie artifices of Alexis; but he in turn finds himself manipulated into deeper deviltry than he had in mind...
-1
Martha and Karen graduate from college and turn an old Massachusetts farm into a school for girls. The friends are aided in their venture by local doctor Joe Cardin, who begins a relationship with Karen, and a prominent woman whose granddaughter, Mary, later enrolls in the new school. Mary soon reveals herself to be a spiteful child and tells a scandalous lie about Martha and Joe that threatens to destroy the lives of all involved.
-3
A female escapee from a reform school joins a pickpocket academy in Paris.
1
Tom Collier has had a great relationship with Daisy, but when he decides to marry, it is not Daisy whom he asks, it is Cecelia. After the marriage, Tom is bored with the social scene and the obligations of his life. He publishes books that will sell, not books that he wants to write. Even worse, he has his old friend working as a butler and Cecelia wants him fired. When Tom tries to get back together with Daisy to renew the feelings that he once felt, Daisy turns the tables on him and leaves to protect both of them.
0
An unscrupulous private investigator with a penchant for blackmail is found dead in a car and the leading suspect is Janet Bradley, the daughter of a mayoral candidate. With the election just weeks away, shady and ruthless individuals muscle the medical officer into switching the corpse with another body. Lieutenant Sam Carson, one of the few good apples in the bunch must find a way to get to the bottom of it all.
-4
After three men are convicted of bank robberies, Charlie becomes suspicious.  After some investigation Charlie finds the men are innocent and that the fingerprint evidence used to convict them had been forged.  Charlie then proceeds to find the true bank robbers.
-2
Princess Margaret is travelling incognito to elope with her true love instead of marrying the man her father has betrothed her to. On the high seas, her ship is attacked by pirates who know her identity and plan to kidnap her and hold her for a king's ransom.
1
Spendthrift Willie Hale again returns penniless to the family home in London. His father is none too pleased, but Willie smooth-talks him into letting him stay. At the same time he turns the charm on Dorothy Hope, whose father is big in linoleum and who, before Willie's arrival, was about to become engaged to a Russian aristocrat.
3
An orphan boy in 1830s London is abused in a workhouse, then falls into the clutches of a gang of thieves.
-3
Suave French actor Philippe Martin provokes a scandal when, in a darkened theater, he mistakes young Monique for his mistress, Yvonne, and tries to kiss her. Charged with assault, the quick-thinking Philippe claims it's French tradition to do as he did, and is let go. To his surprise, Philippe learns that Monique has paid his fine. As the tabloids exploit the situation, Monique dates Philippe, until a photo appears of him kissing Yvonne.
-4
Hypochondriac Danny Weems gets drafted and accidentally smuggles his girlfriend aboard his Pacific-bound troopship.
0
U.S. Treasury Department agents go after a ring of counterfeiters.
0
The first feature length film to use three-strip Technicolor film. Adapted from a play that was adapted from William Makepeace Thackeray's book "Vanity Fair", the film looks at the English class system during the Napoleonic Wars era.
0
A political revolutionary fights against injustice, his adoring wife by his side. But only in her death does he realize the depth of her love for him and their country. A dramatic romance from the 23 film library of the most iconic classic Mexican film and recording star, Pedro Infante.
2
When a movie actor is shot and killed during production, the true feelings about the actor begin to surface. As the studio heads worry about negative publicity, one of the writers tags along as the killing is investigated and clues begin to surface.
-4
A priest sets out to catch the man who killed one of his colleagues.
-1
A prospector is looking for a lost gold mine and finds aid in his search through the efforts of his friend, Stormcloud, whom he has aided in the past.  Stormcloud gives the prospector's son a map leading to the mine in repayment for his past kindness.  When a claim jumper learns about the map, he targets the prospector and his son in order to get the treasure.
3
Shipping magnate Cyrus Wentworth, downcast over a disaster to his ocean liner 'Wentworth Castle' (carrying, oddly enough, an illicit shipment of Chinese bonds) is shot in his office at the very moment of kicking out his daughter's fiance Dick Fleming. Of course, Captain Street arrests Dick, but reporter Bobbie Logan, the attractive thorn in Street's side, is so convinced he's wrong that she enlists the help of detective James Lee Wong to find the real killer.
-6
A naval officer who had deserted several years earlier is drawn back to the Navy when World War II begins. He re-enlists under an assumed name, and is assigned to a minesweeper, where he has to perform hazardous duties while at the same time keeping his real identity a secret.
-1
After a beautiful but unsophisticated girl is seduced by a worldly piano player and gives up her out-of-wedlock baby, her guilt compels her to kidnap another child.
-1
The invention of a machine that can cause remote explosions brings the attention of Scotland Yard and Bulldog Drummond.
0
When a treasure hunter seeks a downed airplane in the jungles of Africa, he encounters one of the passenger's young daughter, now fully grown, and with a gorilla protector.
1
Mary Barrett is an aspiring opera singer who is taken under the wings of a famous operatic maestro, Guilio Monterverdi. After spending endless working hours together and arguing, their relationship develops into love. But, jealousy and misunderstandings prevent Mary and Guilio from acknowledging their true feelings.
0
Socialite Anatol Spencer, finding his relationship with his wife lackluster, goes in search of excitement. After bumping into old flame Emilie, he lets an apartment for her only to find that she cheats on him. He is subsequently robbed, conned, and booted from pillar to post. He decides to return to his wife and discovers her carousing with his best friend Max.
-1
When a police officer is murdered, Captain Street looks to Mr. Wong to catch the killer. Prime Suspect: Frank Belden Jr., whose father is a businessman well known for both his success and dishonesty. Mr. Wong faces increasing danger and is nearly executed himself as the investigation develops in treachery and complexity. As Mr. Wong follows the trail of dead bodies, he uncovers a jewel smuggling ring on the San Francisco waterfront and a case much larger than the death of a police officer.
-5
The Wrecker wrecks trains on the L & R Railroad. One of his victims is Larry Baker's father. Baker wants to find the evildoer, among a host of suspects, but it will be difficult since the Wrecker can disguise himself to look like almost anyone
-3
A general store clerk and aspiring detective investigates a mysterious disappearance that took place quite close to an empty insane asylum.
-2
Man about town and First Class cricketer A.J. Raffles keeps himself solvent with daring robberies. Meeting Gwen from his schooldays and falling in love all over again, he spends the weekend with her parents, Lord and Lady Melrose. A necklace presents an irresistible temptation, but also in attendance is Scotland Yard's finest, finally on the trail.
2
After a long absence, Mary Jane visits her schoolfriend Eloise, and Eloise's daughter Ramona. Eloise drinks too much and is unhappily married to Lew Wengler. Eloise falls asleep and remembers her time with her true love, Walt Dreiser, at the beginning of the Second World War. She recalls the events that lead up to her split with Mary Jane, and how Lew married Eloise rather than Mary Jane.
-2
Young female models are being strangled. Will law enforcement be able to stop the crime wave before more women become victims?
-1
A dancer who has just gotten engaged to her partner and choreographer and is about to embark on a major career is devastated to learn that she has contracted polio.
-1
A man listens to his wife and fakes his own death so that she can get her hands on his insurance policy.
-2
Detective James Lee Wong must find the "Eye of the Daughter of the Moon," a priceless but cursed sapphire stolen in China and smuggled to America. His search takes him into the heart of Chinatown and to the dreaded "House of Hate" to find the deadly gem before it can kill again.
-3
A circus performer falls in love with the son of a plantation owner in antebellum New Orleans. When the young man's stepmother objects to the wedding, the couple break apart and go their separate ways for a time. Also in the mix are two circus comics who feud over the heart of another Southern belle.
-2
Leo, a former convict, is living in seclusion on an island with his step-daughter, the daughter of his late wife. Leo was framed by a group of former business associates, and he also suspects that one of them killed his wife. He has invited the group to his island, tempting them by hinting about a hidden fortune, and he has installed a number of traps and secret passages in his home. He is aided in his efforts by a former cell-mate who holds a grudge against the same persons. When everyone arrives, the atmosphere of mutual suspicion and the thick fog that covers the island promise a tense and hazardous weekend for everyone.
-4
While working on a novel in his country home in Connecticut, married writer Tony Barrett (Cooper) becomes attracted to Manya (Sten), the daughter of a neighboring farmer. Manya is unhappily engaged to Frederik (Bellamy). Due to a snowstorm, Tony and Manya are trapped together in his house overnight. The next day, Manya's father insists her wedding to Frederik take place in spite of Manya's misgivings. Drunkenness and jealousy result in tragedy at the wedding reception that night.
-6
When Jesse learns that Krager is cheating settlers, he and his gang rob trains to obtain money for them to purchase their land. Krager, finding a Jesse look alike in Burns, hires him to wreck havoc on the ranchers. When Jesse kills Burns he switches clothes and goes after the culprits.
-7
James Craig is torn between his criminal career as the masked bandit named the "El Paso Kid," and the life of a law-abiding citizen with his long-suffering wife Zoe. He repeatedly tells Zoe, "just one more time," but he is unable to stop which angers her greatly. However, he does have brief moments of heroics such as when he helps the Widow Weeks save her farm.
-1
A deputy sets out to prove that a respected judge, who had once been a criminal, is being framed for crimes committed by a crooked saloon owner.
-3
During WWI pretty German master spy Helene von Lorbeer is sent undercover to London to live with the family of a high-placed British official where she is to rendezvous with the butler Valdar, also a spy, and help him transmit secret war plans back to Germany.
2
An extramarital affair leads to a young couple contracting venereal disease.
1
In the Canadian Northwest, the Chippewa tribe struggles to find food before the onset of winter.
-1
A fake swami and his crooked business partner, hoping to buy the land that's targeted for a new airport, convince the property's owner that he hasn't long to live.
-2
Roland Dane finally retires to the house he was brought up in. Lost in thoughts of his lost love Lark, he does not want to be disturbed in his last days. However, the appearance of his niece and her subsequent romance with Lark's nephew causes him to reevaluate his life and offer some advice so the young couple doesn't make the same mistake he did, all those years ago.
-3
The baseball player goes from wayward youth to Boston Red Sox pitcher to New York Yankees home-run hero.
0
Cowboy Larry O'Day and his sidekick Lucky Smith happen upon a distraught Barbara Hartwell, who is about to be arrested for the murder of her uncle. With Barbara behind bars, Larry is determined to find the real killer and soon finds himself in the middle of a mystery involving crazed German entomologists and a smuggling ring bringing Chinese "picture girls" across the Mexican border for sale to wealthy Chinese bachelors.
-2
Cowhand Ken Clark is stranded in Chicago, and temporarily takes a job as a sharp-shooter entertainer in a night club, with the intention of getting enough money together to get back to his beloved Arizona. Frank Gordon, while drunk, is about to be rolled by the club bouncer, but Ken interferes and earns Clark's gratitude. Gordon gets a telegram from Kay Burke, the daughter of his partner in Arizona, notifying him that her father, Jim Burke, has been killed by rustlers.The ranch has a U.S. Army contract to furnish horses, but she sees little hope of being able to make good because the stock is being rustled, and she asks Gordon for his help.
1
An oil well digger tries to win back his former girlfriend, now engaged to another man.
2
A rich society mother hires a male escort, but he falls for her daughter instead. The mother-daughter conflict forces the daughter to run off to stay with a friend who is enslaved by a prostitution ring.
-1
A murderous bank robber on the run from the law hides out in a small town.
-1
Toni Le Brun, a beautiful Viennese singer, becomes the ward of the wardrobe mistress of a Monte Carlo nightclub. Her benefactor, however, is actually a baroness incognito. Toni falls in love with the handsome Richard, but as they prepare to marry, she comes to believe he is only after the wealth accompanying her new noble status. But truth, like true love, will not be kept secret long.
5
Roy Rogers is a cowboy who joins the Border Patrol, only to have his buddy Tommy get killed at a local saloon. Determined to get revenge at any cost, Roy and Rusty cross the border in search of Arizona Jack, the man responsible for Tommy's death.
-4
After a tumultuous first marriage, Millie Blake learns to love her newfound independence and drags her feet on the possibility of remarriage. The years pass, and now Millie's daughter garners the attentions of men-- Men who once devoted their time to her mother.
-1
Emilie has been hired to care for the four sons of wealthy Adam Stoddard and his wife, Molly. After Molly dies, Adam and the boys grow to depend on Emilie even more. At the same time, Emilie falls in love with Adam. The boys grow up, but Adam insists that Emilie stay on as part of the family. Her relationships with both the boys and Adam become strained after one son marries a gold-digging viper named Hester. Written by Daniel Bubbeo
-1
A Texas Ranger (Roy Rogers) and his pals come out of forced retirement to do what the cavalry cannot.
0
Roy and Gabby fight bad guys to save the town of Deadwood.
-1
Greed, ambition and hunger-for-power drive John Hart, a New-York-City stock-market broker, into crooked dealings and deception, but he doesn't realize that those he ruined will seek vengeance. He meets his match and downfall when his path crosses with a reporter, Phil Stuart; a girl, Marcia Harper, and a man-with-a-gun from a family he ruined.
-7
A publisher bets an author that he won't be able to write a romantic adventure novel while on a walking trip from New York to San Francisco.
1
A newspaper publisher and his Korean servant fight crime as vigilantes who pose as a notorious masked gangster and his aide.
-3
A theatre critic (Dave O'Brien) teams up with a cop (Jack Mulhall) to investigate the murder of a Broadway actor.
-2
Nona Brooks, former member of a stranded theatrical troupe, earns a temporary living singing in a café in Duakwa, British Rhodesia, Africa. The café owner is secretly in league with two foreign agents with a goal of making the natives restless. American explorer Larry Mason leaves for the jungle with his servant, Jeff and a safari. Nona escapes the café into the jungle but is followed by the agents as, unknowing to her, she is carrying a report of the agent's activities. She joins the safari just as all hands are captured by a tribe of natives
-1
Bulldog Drummond is a British WWI veteran who longs for some excitement after he returns to the humdrum existence of civilian life. He gets what he's looking for when a girl requests his help in freeing her uncle from a nursing home. She believes the home is just a front and that her uncle is really being held captive while the culprits try to extort his fortune from him.
0
Don Cesar De Vega crosses swords with a vicious member of the Queen's Guard, and steals the affection of a young heiress. When the officer frames the young upstart for murder, Don Cesar fakes his own death and retreats to the crumbling ruins of the family castle he plots his vengeance.
-9
Hoppy's friend Dennis owns a rich gold mine. Frazier who owns the adjoining mine and wants the Dennis mine, has Dennis killed. Hoppy steps in to take over running the Dennis mine and learns Frazier's men sneak into and work the Dennis mine at night. Hoppy captures one of Frazier's men only to be captured in return by Frazier and left to die in a burning building.
-1
Suspected crime boss Nate Girard beats a murder rap, and newspaper photog Kent Murdock is on the story. Girard and lawyer Redfield throw a party for the news men where Murdock romances a mystery woman who confronted Girard in front of him, but Murdock's fiancée Hester shows up. After they return to his apartment, have a fight, and she leaves, the mystery woman slips in and begs for his help. Police Inspector Bacon and the cops show up, looking for the mystery woman; Murdock hides her. Murdock goes with the cops to discuss the murder the woman is suspected of. Bacon explains (in flashback) how some photogs were setting up a shot with Girard and Redfield. When the flashbulbs popped, Redfield keeled over dead and the woman, Meg Archer, fled while the newsmen ran out to phone their papers. The newsmen (who were rounded up later as thoroly as possible) are taken into police custody, except for Murdock (who wasn't at the scene), who is given a cap on the sly by rival McGoogin. Altho ...
-9
Hoppy goes to town to help Marshal Windy with some rustlers and winds up helping the widow Joyce when confidence men try to take her herd. King's Men songs include: "Hi Thar Stranger" and "Lazy Rolls the Rio Grande."
0
Ellen Creed is a housekeeper who looks after Leonora Fiske, a retired actress living in the English countryside. When Ellen's eccentric sisters visit their sibling at Leonora's home, tensions soon lead to murder.
-2
Razz accidentally shoots his wife Martha when his hunting rifle drops on the floor and discharges. The church congregation gathers at Martha’s bedside to pray for her recovery, and during this period an angel arrives to take Martha’s spirit from her body, but she is tempted by the slick Judas Green, who is an agent for Satan.
3
Trouble in Colorado is tying up Union troops needed back east during the Civil War and Lieut. Burke is sent to investigate. Macklin and his gang are causing the problems and Capt. Mason joins them. When Burke catches up with them he also finds Mason, his brother.
-2
A crusading district attorney tries to stop a local mob boss who has connections in high places.
0
Cab Calloway plays himself in a plot about jealousy, night clubs, and gangsters. Ends with a series of musical numbers.
-3
The conflict between a railroader and a stage line owner is being aggravated by bad guys who are sabotaging both sides. Roy and Gabby mediate the conflict and expose the bad guys.
-4
Billy Carson, looking for rustlers, kills Bradley in a gun fight. Arrested, the judge finds him innocent but jails him anyway. When the rustling resumes he is released and posing as a Mexican cattle buyer he hopes to trap the culprits.
-3
A study of an amoral and sleazy defense lawyer who suddenly tries to "go straight" when he finds out that his tart wife is cheating on him; as well as the similarities he has in life with one of his clients.
-1
Muggs' rich Uncle Pete is coming to visit. Unfortunately, Muggs' late father had bragged that he had seven kids, so Muggs recruits the members of the gang to pose as his family. Things turn sour, however, when a local mobster finds out about Muggs' deception and threatens to expose it.
-3
Head railroad man Dan is as ugly as he is honorable. When he spots a drifter who'd hopped a freight held up by a landslide, Dan offers the man a job; then he finds the man was a railroader, too, and takes him under his wing. Engaged to Mary, Dan doesn't notice the growing attraction between his protégé and his intended but focuses instead on running the railroad.
1
A crusading newspaper reporter battles big-city gambling interests.
0
The British Commandos send Bob Owen (Lyle Talbot) to Norway to prepare for a raid. His mission also includes freeing General Heden (Paul Baratoff) who is being held by the Nazis. His aides include Eric Falken (George Nesie) and Harry (Charles Rogers). Inga (June Duprez), a Norwegian girl to whom Falken was once engaged but who has become the sweetheart of Oberst Von Ritter (Victor Varconi), betrays their hiding place. The three overpower the Gestapo men sent after them, take their uniforms and enter the prison camp and free Heden. The four men then start for the coast to meet the Commando expedition. Inga, who the men still trust, again informs von Ritter and Falken is captured but Bob and Harry escape with the aid of Dalberg, who they thought was a Quisling stooge.
-1
A federal agent's life is in danger when he's exposed while investigating a parole scheme.
-1
When three Texas Rangers try to investigate kidnapped Mexicans being used as forced labor in the mines of Silver Bullet, they are framed for murder by the town's corrupt sheriff.
-2
A buffalo hunter tries to stop a thief and his minions from stealing hides.
-1
Scanlon is pulling off a land swindle by selling lots in a ghost town claiming the power company is bringing in a line. As a bonus he throws in shares in a worthless gold mine. Gene is on to Scanlon and tries to get him to buy back the deeds by salting the mine with gold. But when a new vein is really discovered Gene has to stop the sales but is trapped in the mine by Scanlon's men.
0
A cop is fired from the force and attempts to solve a string of truck holdups.
0
A remake of Frank Capra's Submarine (1928), Devil's Playground is a snappy Columbia "B plus" picture starring Richard Dix and Chester Morris. Submarine officers Dorgan (Dix) and Mason (Morris) battle on land for the affections of dance-hall girl Carmen (Dolores del Rio). She marries Dorgan but makes a play for Mason when her husband is on duty. The romantic rivalry is forgotten when Dorgan must rescue Mason and his crew from a sunken sub.
0
Both Indians and cowboys are after a beautiful stallion, the leader of a pack of wild horses.
0
An ex-gunfighter woos two women while avenging his brother, victim of a crooked gambler.
-1
Two Texas Rangers (Tom Tyler, Rex Lease) nab smugglers and rescue a woman (Margaret Nearing) from a runaway wagon.
-1
The Rough Riders are called in to help save Master's stage line. Taggart has his gang robbing the stages and shooting the drivers. When Buck drives the next stage, Taggart's men rob it and then make it look like Roberts is part of the gang. Written by Maurice Van Auken
1
A pretty, tomboyish teenager comes of age in an American small town.
1
Produced by the Army Pictorial Service, Signal Corps, with the cooperation of the Army Air Forces and the United States Navy, and released by Warner Bros. for the War Activities Committee shortly after the surrender of Japan. Follow General Douglas MacArthur and his men from their exile from the Philippines in early 1942, through the signing of the instrument of surrender on the USS Missouri on September 1, 1945
-3
While Sam Houston in in the nation's capital trying to get Texas into the Union, his aide is trying to impose a self-serving tax on the use of the Santa Fe trail. The lady owner of a wagon train is using the trail, and a Texas Ranger comes to her assistance.
-2
Swing Hostess is a 1944 American musical comedy film directed by Sam Newfield for Producers Releasing Corporation and starring Martha Tilton, Iris Adrian, Charles Collins, Betty Brodel, Cliff Nazarro and Harry Holman.
0
Sintown is just a deserted ghost town until Vanerpool starts looking for silver. Cookie and Roy's partners put $20,000 into the business only to find that the mine is worthless and Vanerpool is bankrupt. Carol comes out to look for silver to save the company, but does not know that their engineer, named Regan, is crooked and wants all the silver for himself. But only Old Ed knows where the mother lode is located.
-3
Shortly after Brand kills Gelbert, Tom Rayburn arrives on the scene and is accused of the murder. Escaping, he goes after Doc Mathews, the man that can prove his innocence. Brand is also after Mathews and intends to keep him from testifying. But Mathews is a ventriloquist and this will lead to Brand's downfall.
-2
In this Roy Rogers entry, featuring a song written by Oklahoma Governor Roy J. Turner (making him and Lousiania's Jimmie Davis and Texas' W.E. "Pappy" O'Daniel possibly the only state governors to write songs used in a western), Flying U ranch owner Sam Talbot is killed by a fall from a horse. St. Louis reporter Connie Edwards comes to check a rumor that he might have been murdered. She goes to Roy Rogers, editor of the local newspaper, and he takes her to the reading of Talbot's will. The ranch is left to Talbot's 12-year-old ward, Duke Lowery, much to the dismay of Talbot's niece, Jan Holloway. After some attempts on Duke's life, Roy finally proves that Jan, Steve McClory and coroner Jim Judnick had Talbot killed and are conspiring to do the same for Duke, making Jan the last heir.
-5
A cabaret hostess is broken-hearted because she loves a gambler who does not love her.
1
Ann Fenwick is a witness to a bank robbery in the U.S. and the bandits, led by Trigger (Warner Richmond) and Leon (Ted Adams) capture her and when she disappears, a warrant is issued for her arrest as a material witness. The bank robbers flee across the border into Canda where they steal a trailer in which they lock Ann and the loot. The hitch breaks and the trailer plunges into a lake. Sergeant Renfrew (James Newill) and Constable Kelly (Dave O'Brien), of the Canadian Mounties,rescue Ann and she tells them she is a hitch-hiking tourist and gives a false name. Renfrew sends Kelly for aid, Ann escapes and Kelly returns with the news that she is wanted. The leader of the gang, Cardigan (Milburn Stone), sends the gang back for Ann and the loot, which Ann has hidden in a trappers cabin, just before Trigger recaptures her. Renfrew goes to her rescue, but is also captured. But reliable Constable Kelly is somewhere in the woods.
-4
In this Alaskan adventure, a surgeon becomes a pilot after he messes up an operation. Unfortunately, he crashes during a storm and finds himself cared for by a lovely woman. He gets a chance to reclaim his self-esteem when her son suddenly needs the same operation the surgeon botched.
-1
Cocky young street kid worships his father, a sleazy political operative.
-2
Counterfeit bills are being printed in Canada and shipped across the border hidden in blocks of ice. When the counterfeiters force engraver Bronson to make a new plate, he inscribes a tiny help message on it. Renfrew catches a henchman who has one of the new bills. A magnifying glass lets him read the message and he heads out alone to round up the counterfeiters.
0
Two vaudevillian comedians try to stage a show in a theatre that has a reputation for being being haunted.
1
Jeffrey Clavering is hired in London by The Great Eastern Oil Corporation to go to Paris to prevent unscrupulous industrialist Nikolai Kamarov from gaining control of their oil fields and turning them over to a foreign power.
1
The otherwise standard Ken Maynard western Death Rides the Range is distinguished somewhat by a topical slant. The plot concerns a group of spies from an unnamed foreign country (gee, they sure sound German) who head westward to undermine American morale. Into this malaise wanders Maynard, supposedly a rootless cowpoke but in reality an FBI agent. Things begin to heat up when the villains lay claim to a helium well on the property owned by heroine Fay McKenzie. The film's silliest moment occurs in mid-stream, when chief villain Charlie King begins beating up everyone within arm's length, with nary a scratch on his own person.
-3
The owner of a large mansion in the country throws a costume party for some of his friends. However, the party turns sour when he is found stabbed to death in a closet. The police and a guest try to discover who committed the murder.
-3
When his young son is shot, John Wellington kills the culprit and flees. But his son Johnny recovers and is raised by Sir George. Some twenty years later Johnny sets out to find Sir George's missing granddaughter.
-3
Lawrence Revel, celebrated in society circles for his success with women, is devoted to his son Dick and objects to his marrying Nellie, a cabaret dancer. To prove her unworthiness, Beau asks his son not to see her for 2 weeks. Unwittingly, Beau falls in love with the girl, but his attentions are refused.
0
A ranch owner turns his place into a home for boys who have lost their fathers in World War II. His evil female lawyer covets the ranch and uses a gang of local toughs, a pack of killer dogs, and a phoney rancher's beneficiary to get it. U.S. Marshal Rogers opens an investigation when the rancher is killed.
-2
A man on his way to closing a million dollar deal has an accident and gets amnesia.
0
A U. S. Marines dog is returned to his young owner in the small town of Monrovia at the end of WWII, but a grouchy neighbor believes the animal's military training makes him a threat to the community and files charges to have the dog destroyed.
-2
A merciless district attorney prosecutes a case that mirrors his own life.
-1
A man who's a dead ringer for the leader of an outlaw gang kills the gang leader, then takes his place to try to bring the gang to justice.
-3
Five Allied soldiers in an airplane flying to Egypt crash-land in Iraq. They are taken in by a local sheik, but soon begin to suspect that he may not be quite as friendly as he appears to be.
0
Rodeo star Roy Rogers returns home to find that his old friend Tom Craig has been murdered after he was accused of stealing a family crest from Helen Williams. Helen joins up with Roy and Gabby Whittaker to find the killers and the crest.
-2
The record of an expedition deep into the Malayan jungle.
0
An orphan (Eight-year-old boy soprano Bobby Breen) gets a chance to sing opera in New York.
-1
Tex put the Kern gang away once but they have returned with reinforcements and have take over the town of Red Rock capturing the townsmen and forcing them to work for them in the gold mines. Dave and Tex then organize the ranchers into the Territorial Rangers. After blowing up the mines to keep the gang from getting the gold, they are ready for the showdown between the two sides. Written by Maurice VanAuken
3
Seeker Dean has found the gold he has been looking for for 15 years. Heading for the Government office, Boone Jackson kills him. Kickabout finds a cryptogram as to the gold's location and Sergeant Kinkaid solves the puzzle. But Jackson learns of the gold's location and to get it, he sets out to dynamite the dam that would flood the entire communuty.
2
The Kid and his pals are horse thieves wanted by the law. As he takes a horse from Jan Walton she makes him promise to bring it back.
1
The movie, like the play "The Noose" on which it is based, is the story of a young man wrongfully convicted of and sentenced to be hanged for a murder which he never committed.
0
After Fred von Bergen, a German immigrant in America, is forced from his job by anti-German hysteria before the first world war, he and his friend Bob Wilson leave America and join the German air force. There, both men fall in love with ambulance driver Alida Hoffman. When America enters the war, Bob is caught between loyalty to his home country and the threat of execution for desertion and treason to Germany. It remains for his friend Fred to extricate him from the dilemma - but at what cost?
-4
Burlesque queen Doll Face Carroll is dismissed from an audition for a legitimate Broadway show because she lacks culture. Her boss/manager Mike decides that she can get both culture and plenty of publicity by writing her autobiography. He hires a ghost writer to do all the work, but doesn't count on the possibility that Doll Face and her collaborator might have more than a book on their minds.
0
A rustler's son (Roy Rogers) courts a rancher's daughter (Mary Hart) during a range war.
0
A fired teacher finds work at a girls reform school and helps a detective on a case.
2
Roy is a newspaper reporter. He goes to Cheyenne to cover the activities of supposed bad guy Arapahoe Brown. Roy, of course, discovers who the real bad guy is.
-2
While vacationing at a boys' camp, the rambunctious Chip Winters befriends a famed composer Johnny Selden. Stuck for an inspiration for his latest operetta, Selden at last finds it when he meets Chip's gorgeous mother Irene Winters, a popular singer. Alas, her stiff-necked fiancé Walter Mays refuses to allow her to return to the stage, whereupon Rathbone spirals into a depression -- and even worse, a profound case of writers' block.
1
A former New York reporter (Peggy Shannon) is hired as editor of a failing, small town newspaper in California.
-1
A recently retired fire captain suffers from boredom, until one of his friends is killed battling an arson fire. It becomes his purpose in life to track down the arsonist. As he gets closer to finding the killer, things become dangerous for him and his family.
-5
Young Englishman inherits ranch which he wants to sell, but Gene's gonna turn him into a real westerner instead. When new owner Spud arrives from England, Autry convinces him not to sell the ranch but to raise horses for the Army. When both Autry's and Neale's bids are the same, the Colonel calls for a race to decide the winner. But that night Neale has Autry's stable burned.
1
When the plane owned by the "Yukon and Columbia Mail Service" crashes, RCMP Sergeant Renfrew (James Newill) and Constable Kelly (Dave O'Brien) suspect murder. Their suspicions are confirmed when Renfrew finds the control stick has been jammed, forcing the plane to fly in one direction until the gas ran out. Mine owner Louise Howard (Louise Stanley) reports that her superintendent is missing. The Mounties find him murdered and that too has been made to look like an accident. A new mail service pilot, Bill Shipley (Warren Hull), arrives. He had gone to training school with Renfrew but had been cashiered for misconduct. The Mounties discover that Raymond (Karl Hackett), who had been working for Louise, really owns the flying line managed by Yuke Cardoe (William Pawley.) They find proof that all the gold from the mine isn't being turned over to Louise, and suspect that Raymond and Yuke are stealing the gold and shipping it to Seattle by plane.
-3
A female detective investigates the kidnapping of a wealthy businessman.
1
As a woman walks the "last mile" to her execution she remembers back to the incidents that got her framed for murder.
-1
Cappy Ricks, a crusty old sea captain, returns home from a long voyage to discover that his family and his business are in chaos--his daughter is set to marry a nitwit that he can't stand, and his future mother-in-law has taken over everything and is set to merge his business with that of a rival company. Worst of all, though, is that she--in the interests of "progress"--has completely automated his beloved ship, "Electra"!. He sets out to put an end to all this foolishness and comes up with what he thinks is a foolproof plan.
-1
John Calvert takes over as the Falcon in this Poverty-Row continuation of the film series.
0
Hard-boiled newspaper reporter Larry Doyle (Robert Armstrong) goes a bit too far in celebrating a work bonus and wakes up on a train bound for St. Louis with only a buck on his person. To remedy the problem, Doyle pawns the revolver he's carrying. When the gun is subsequently used in a murder, Doyle's problems only multiply. In the meantime, he's also fallen in love with a comely stranger (Maxine Doyle) he convinced to impersonate his wife.
0
Sue Graham is a small town girl who wants to be a motion picture star. She wins a contract when a picture of a very pretty girl is sent to a studio instead of her picture. When she arrives in Hollywood, the mistake is discovered and she starts working in the props department of the studio instead. Her parents then come out to California and invest some money with a very shifty individual.
0
Harris and Rigby own a circus. Rigby is a counterfeiter and frames his partner. The Mesquiteers learn Rigby is the culprit and get a confession from one of his men only to lose the case when the man is murdered in jail. The Mesquiteers try again and send Lullaby to try and win some of the fake bills in a card game.
-3
A Harlem nightclub entertainer arrives on the Caribbean island of "Rinidad" to perform as the headliner in a revue at the Paradise Hotel. She quickly attracts the attention of several men.
1
A convict is forced to participate in a prison break even though he only has a year left on his sentence.
-2

0

0
Reporter Steve Haines, on the trail of a business tycoon, follows his subject onto an ocean liner and gets wound up in a cruise full of intrigue, romance and murder.
-1
Two young brothers are separated when their wagon train is attacked and their parents killed. One brother Cherokee is raised by Indians and the other, the Kansas Kid, by the outlaw gang leader Buff. Twenty years later they unknowingly meet again when the Kid goes after wagons being guided by Cherokee.
-2
Roy is a government man assigned to a case of cattle rustling in the part of the country where he grew up, unaware that the leader of the gang is a woman, in fact an old flame.
0
A former All-American football star, now working as a steel mill supervisor in New Jersey, falls in love with the mill owner's wealthy, very spoiled daughter.
0
Willis Newcomb and Bart Carroll head a gang engaged in smuggling wanted-American criminals back into the United States from Mexico. Operating from Sharperville, an oil town on the American side of the border, they transport their human cargo in oil drums loaded on trucks. Border Patrolman Tom Sharper intercepts one of the trucks but is overpowered and left for dead. Carroll, having already been paid for the job and not wanting any evidence to walk around, get caught and lead back to him, backs the human-cargo trucks to the edge of a cliff and sends the drums crashing to the boulder far below. Judge Cookie Bullfincher and Border Patrolman Roy Rogers conduct a search for the missing Tom, but the crooks have gone back for him and find him in a state of amnesia. They rob the bank and pin it on Tom. It is now up to Roy to clear his friend and also put an end to Carroll's human-smuggling racket.
-1
The Range Busters have a plan to get into the outlaw's hideout in Fugitive Valley.
-2
Richard Dix as Dan Taylor and Preston S. Foster as Paxton Bryce are two longtime friends seeking their fortune in Texas after the war. The two men decide, not without problems, to establish a cattle empire. Paxton becoming too ambitious, distances himself from Dan and Abby, Paxton's wife. It will only be after a personal tragedy that he will come back to his senses.
0
Young boy Bill Peck adores his father and tries to be good, but the arrival of Bill's cousin Horace upsets Bill's plans. Horace's brattish ways result in Bill rather than Horace getting in trouble.
-1
An unusual film in that it was composed of new film footage tacked onto an original film produced by M. H. Hoffman Sr. and Jr.,and never released because of the collapse and merger of the Hoffman's Liberty Company into the newly-formed Republic operation in mid-1935, and consequently has two different sets of actors and production crew members.
-1
Some shady characters discover that a sad sack nightclub bus boy has the ability to predict outcomes of races and other events through astrology.
-3
Kent wants the Allen ranch. So he has Steve and his men rustle their cattle using Pete as an informant. When the Trigger Pals Lucky, Stormy, and Fuzzy fight back, Kent frames Stormy for the rustling.
-2
Eddie Tayloe's grandfather leaves him six thousand dollars and the money belt it came in, freeing Tayloe to leave his dull newspaper job in Texas and move to New York to become a playwright. Along the way, his car breaks down and a girl walking along the highway asks for a lift. It turns out she's a nice girl, named Perry, running away from a job at a gasoline station. Soon they're off to New York together, but part ways once they arrive. Time passes and Eddie is failing to sell his play; Perry is failing to find a job. Odd circumstances, involving an old pickpocket named Mandy, bring them together again.
-4
During WWII, a strong-willed 12-year-old boy tries to steer his vocationally and maritally confused father straight, at the same time striving to keep his honor while the gang in his new neighborhood bully him.
0
A stubborn farmer is raising his children alone. When his oldest daughter gets a suitor, the father nearly goes on the rampage, but he is forced to change his tune when he is injured, leaving her in charge of the farm.
-2
Carlo Roma and his foster-son, Toma, and their friend Beppo, are living a happy fisherman's life in San Francisco until Carlo's widowed sister-in-law, Stella, shows up with her brat-son, Rudolph, and takes over. Poor Toma gets his feelings hurt and the idea he "isn't wanted" and runs away
-1
A reporter investigates the story of a young man who may have been wrongly convicted and sentenced to be executed.
-1
Funds are embezzled and a fur trapper is murdered. Rin Tin Tin to the rescue!
0
Buck Colins heads a group of local ranchers who are trying to prevent the railroad from completing its line through their property. Till now they have been able to charge tolls on herds passing through. Hoppy goes undercover to expose them.
-1
When Hines kills the Colonel for his money, the Colorado Kid is arrested and then found guilt of the murder. Bibben beaks him out of jail and later identifies some of the bills spent by Hines to have been part of the money stolen from the Colonel. The Kid now knows he is the one he is after and heads out to get a confession.
-5
Roy and Gabby return to Gabby's Texas ranch, after fighting with the Confederate military during the American Civil War, to find that a blustery Union Colonel whom they have previously hassled is now their district commander. Unbeknownst to the Colonel, however, is that the soldiers he believes have been sent to assist him are actually Union Army rejects who have come to loot the civilian populace under the guise of reinstituting normalcy to the former Confederate district.
-3
When Brent Halston returns he finds his father in an insane asylum and Wilton about to foreclose on their ranch and bring sheep onto the cattle range. When Wilton kills a rancher, Brent is blamed and jailed. Escaping jail he gets Ware to confess that he payed to have Halston committed. He then gets unexpected help from Ethel Gordon when Wilton tries to foreclose.
-4
The hometown life of a young soldier suffering from shellshock amnesia is revealed in flashback.
-1
A Mountie (John Preston) catches fur thieves with the help of his horse, Dynamite, and dog, Captain.
0
Money was what gangster Vince M. Falcone wanted most and he did lay hands on millions of dollars by fair means or (mostly) foul. But once he became rich what he craved for was respectability. So why not marry a lovely society lady? And with a young daughter as a bonus Mister Falcone could show off among the creme de la creme. Of course when times got rough he felt free to desert his wife and little girl. Fortunately Taps, a lawyer working for the underworld, will console them both.
2

0
Dr. Christian takes an interest in a young boy, a violin prodigy, whose mother is a divorced music teacher. His interest isn't just in the boy's music career--he believes it would be best for the boy to have his parents back together, and sets out to do just that.
2
Cattle are being routinely stolen from a local ranch, and suspicion centers on a local mountain family.  But the Three Mesquiteers are wise to the criminals' deeds. But when a ranger is shot and Stony is framed for the crime, it's up to Lullaby and Tucson to prove his innocence.
-3
Three electrical linemen work through the hazardous conditions of the Depression Era. Sparks fly, and things become truly dangerous, when Ann comes between this band of brothers. Things get worse, after they move in together, following the death of her father, their supervisor, "Pop" Foster, from an industrial accident.
-4
A counterfeiter gives up her life of crime and goes straight. She gets a job in a bank, but the members of her former gang hear about it and try to blackmail her into helping them rob the bank.
-1
A reporter's marriage is jeopardized by his drinking and he finds himself accused of a murder he didn't commit.
-1
Head over heels in love with a stern and cold older businessman's young wife, a reporter is seduced into conspiring to murder him so she can inherit his estate, while pinning the murder on another businessman.
-3
An Easterner Inherits a cattle ranch, only to discover that thousands of cattle have been stolen. He secretly signs on as a hired hand at his own ranch to discover who's stealing them.
-2
Around the turn of the century, two young men, Johnnie Bennett, a composer and Steve Adams, an artist, go to New York City to make their fortune. They both fall in love with the same girl, Patricia O'Neill. The artist paints a picture of her which outrages her father's sensibilities; but, as a result of the picture, she wins a chance to star in a Broadway play. She soon learns that the artist is just a trifler; and she turns to the composer, who loves her sincerely
3
Kirk Baxter has been sent to investigate murder and robbery involving gold shipments. Identifying a gang member by his bullets, he uses that man's horse to locate and join the gang. He learns the gang is tipped off to the shipments by a mine employee using carrier pigeons. But the next message reveals his true identity and he is made a prisoner.
-1
In this musical comedy, a crooked record producer uses his mob connections to force performers to do their stuff. The trouble really begins when the gangster's strong-arm tactics nearly cause a singer to lose his fiancée. A wide variety of entertainers appear including cowboy crooner Gene Autry, baseball hero Joe DiMaggio, and big band stars Cab Calloway, Ted Lewis, and the Kay Thompson Singers. Songs include "Mamma I Wanna Make Rhythm," "Manhattan Merry-Go-Round," "Heaven?," "I Owe You," and "It's Round-up Time in Reno."
-1
The three Mesquiteers try to recover the gold stolen by a gang in its effort to ruin the banker/mayor who ordered them to leave town.
0
During World War II, a young boy and girl, living with their respective families in an apartment house that had restrictions against pets, adopt a lost dog and hide it in a vacant apartment, which may have been the only vacant apartment in the United States at the time this movie was being filmed. A burglar breaks in and the apartment is damaged when the dog and crook have a tussle. This blows the dog's cover, but the kids enlist him in the K-9 Corps, and the dog distinguishes himself in the WWII Italian campaign
-6
A cowboy detective goes up against a gang of big-city thugs trying to set up a protection racket out west.
0
A doctor fights an epidemic that breaks out in the poor section of town and tries to get the rest of the town to help out.
-3
The notorious outlaw Black Bart has reappeared and the Range Busters are sent to investigate. When they find that Black Bart is now a respectable citizen and that someone is impersonating him, they set a trap for the robber.
-2
Rodrigo, an impoverished Italian nobleman takes a job with a New York antique dealer he met overseas. Swearing off women, Rodrigo focuses on his job. But complications arise when he falls in love with his friend's secretary-- and his friend's wife looks to make a date with him.
-2

0
A former OSS agent is assigned to rescue two atomic scientists from the dastardly Russians and spirit them away from behind the Iron Curtain.
-1
Genial Irish NYC policeman Tom O'Hara is looking forward to the arrival of his wife and their young son, Shandy from Ireland. Several days before the ship is to dock, O'Hara gets a radiogram informing him that his wife has died at sea. That night a burglar breaks into the Antigue & Second Hand Shop ran by Sol Bloom, directly below O'Hara's flat. The burglar shoots O'Hara, who has rushed to his friend's aid, and, with his last breath he asks Sol to take care of Shandy. When Shandy arrives, Sol immediately makes him a member of the family, which also consists of a very mischievous motherless boy named Joey Bloom, whose pursuits consist of stealing oranges from fruit-dealer Tony, and playing hookey from school. Tom Varney, the young beat cop, is in love with Ruth Sneider, whose mother runs a Cleaning and Dyeling establishment. Ruth, however, is momentarily dazed with worthless Dave Haller.
-2
A young man befriends the last surviving Civil War veteran, intending to rob him of $50,000.
0
A singer on a gambling ship is married to a wealthy playboy. When he is found murdered, all evidence points to her as the culprit, and she is put on trial for the crime.
-1
A commercial pilot romances both a Hollywood actress and a female aviator. 1937.
0
When his ranch falls on hard times, Cowboy Roy Roger has trouble making his mortgage payment and he takes his song and dance to Wall Street to try to raise cash fast.
-2
Sukumar is misled into investing all his savings in the moviemaking business. However, things take a turn when he ends up debt-ridden and at the mercy of the law.
1
Two silky-smooth producers line up a potential backer (who'll put up half the cash) for a musical review. The catch is that they must find someone else to put up the other half. Enter cigar-smoking cross-dresser "Bumpsie" (Tim Moore), who poses as a wealthy society matron to fool the angel! Features vintage jam sessions with swing drummer Gene Krupa, Big Sid Catlett and his band, The Slam Stewart Trio and The International Jitterbugs.
0
A wealthy young society man is dating a beautiful young woman who he believes is also in his "class" because of her beautiful, classically trained singing voice. In actuality, she is the daughter of a poor hotel maid, and in order to keep the boyfriend from finding out just how poor the family is, the mother manages to get a fancy room in the hotel to try to convince him that her daughter is "good enough" for him.
4
The Commandant is making life rough for the colonials in Spanish California. While trying to help, Zorro is charged with the murder of the new Governor, but in the end he triumphs over the evil Commandant.
-2
A South Seas skipper fights off thieves and pirates who are after a lost treasure.
0
Milo Terkel's life is never the same after he is willed a dog named Joe. Milo buys his wife a diamond necklace for their anniversary, but when he returns home he finds a note saying she is attending a charity affair. He decides to celebrate alone, taking Joe along for company. After two "mystery gardenias" at the Florida Club, he meets gorgeous Miss Gilmore who spots the necklace and asks to try it on. Milo is punched in the nose by Miss Gilmore's boyfriend, Louie. But Milo's troubles really begin when his dog starts to talk to him, and ONLY to him! He tells Milo to act tough, like Humphrey Bogart. It's a laugh-a-minute as Milo changes from lamb to lion and is innocently caught by his wife with the shapely Miss Gilmore. When his wife sues for divorce he tells the judge about Joe being his advisor. The judge can only suggest that Milo and his wife take a long vacation to work out their problems. Everyone knows a dog simply can't talk!
-2
The owners of a lumber mill hire an investigator to find out who is sabotaging their mill.
0
A cocky young pilot, at the urging of his girlfriend, takes a nice, "safe" job at the bank where her father is president.
1
A mining engineer teams up with a crusty deputy sheriff to solve the mystery killings at an old mine where the owner's family waits for him to die, and where a valuable radium strike may have been made.
-3
After a stamp-collecting Navy chief petty officer is jailed following FBI and Naval Justice investigation, his fiancee meets one of his fellow officers, becomes romantically interested in him, and joins him in trying to get an envelope, believed to contain rare stamps, to its intended recipient, only to end up in a web of intrigue involving foreign-accented men who are unusually interested in that simple envelope.
0
Vaudevillian Joe Pitt sweeps young Sally Patter off of her feet and steals the lovestruck girl away from her small-town family to join his act. She winds up heartbroken, pregnant and broke when Joe runs off with the magician's sexy assistant. Sally bravely persists and her immense dancing and singing talent gain the notice of prominent producer, Wade Valentine. Under Valentine's tutelage, she rockets to Broadway stardom while Joe Pitt is reduced to waiting on tables. Alone, Sally proudly gives birth to a baby son. Wade proposes marriage to his beloved protege and it appears that Joe Pitt may never learn about the son he has fathered.
4
Cowboy Sunset Carson teams up with Frog Millhouse on a routine supply trip to Placer City. Before long, the duo find themselves ambushed by a team of dastardly highwaymen embroiled in an extortion ring. Sunset and Frog must then go undercover to set things right for a mining town under siege. Galloping hooves, spittin' six shooters, and all manner of disreputable behavior ensue.
-4
PRC Pictures' final 1941 release, Law of the Timber was based on a story by North Woods specialist James Oliver Curwood.
0
An elderly rodeo rider, his young grandson and their injured horse help transform the lives of various citizens in a small town. Released in 1946.
0
A rodeo rider works himself into two different 'gangs' in order to end a range war over.
1
When it appears that Fred Jamison is a member of Red's gang, he is kicked out of the Rangers. But it's just a plot between Fred and the Ranger Captain. Fred then gets into Red's gang and makes plans that will enable the Rangers to bring them all in. But his message to the Captain is intercepted and the hoax revealed.
-2
The curse of a shark god follows a group of people who have violated a sacred jungle idol.
-1
Bill Elliot is back as Red Ryder in Cheyenne Wildcat. Also back are Ryder's perennial cohorts Little Beaver (Bobby Blake, later Robert Blake of Baretta fame) and the Duchess (Alice Fleming). When not pummeling the bad guys, Ryder is the reluctant apex of a love triangle.
0
Horse breeders Adams and Brock are vying for the Army contract. When Adams is killed trying to ride his horse Trigger, Roy saves the horse from being shot. He trains him and then plans to ride him in the race to win the contract.
0
A spy steals a secret military device, then hijacks an airliner to get away. The airliner crashes in the wilderness & the survivors are threatened by a raging forest fire.
-2
Reporter Speed Morgan helps Flash Barrett escape from the police and this gets him into Flash's gang where he poses as a gangster. Flash and his gang head west guning for Bill Miller who failed to send some diamonds on to Flash. Speed hopes to bring Flash to justice but is in trouble when his true identity is revealed.
-3
How To Love is a story about a man named Anthony who loses his wife to a tragic illness and finds it hard to move on. Although Anthony is now single, he struggles with how to build a new relationship with a beautiful woman named Tiffany. He then finds a letter from his deceased wife, saying that if something happens to her, to love and marry again. He calls Tiffany to get her back and admits he still loves his former wife but wants to be with her. He is ready to let go, let God and move on.
0
Hoping to impress a pretty girl he's after, a playboy poses as a newspaperman and goes after a big story.
2
A wealthy businessman's irresponsible son and a down-on-her-luck model enter into a marriage of convenience, and end up falling in love.
1
Hank Wilson is a driver for a truck for a big transportation company which is in financial straits. He is in love with Doris Lacy, a waitress at the truck-stop where the company has its truck fleet serviced. Frequent accidents near the place leads the company to hire a private detective to investigate, and when the detective is murdered Hank is arrested as a suspect. The insurance company that covers the fleet has him released and he is sent back to work with instructions to investigate the accidents on his own. The trail leads to the uncle of Doris, and one of the part-owners of the company.
3
A federal agent learns the gangsters he's been investigating have kidnapped his sister.
-1
Sue Farnum inherits a circus, but her dead father's partner is trying to take it away from her. Roy and Bob Nolan are filming a movie on location at the circus. They and a number of other western movie stars come to Sue's aid, putting on a show and catching the bad guys.
-4
Down-on-his-luck film director Jimmie Dale takes a job at a fly-by-night acting school. He is drawn into the plans of the school's owner to bilk a wealthy young man out of the funds he has supplied to shoot a movie starring pretty student Alice Perkins. But Jimmie hopes to bilk the bilkers by actually completing the movie as ostensibly planned.
2
Rawley University is about to receive a star athlete who could give it the first championship rowing team it's ever had. Unfortunately, he gets drafted into the army before he's able to join the team. Two of the team's members get the bright idea of passing off a burly truck driver as the "athlete". Complications ensue.
-1
Jay Rountree, a young, rising businessman and a son of a wealthy manufacturer gets caught up in a web involving an escort service or 'party girls' and trapped into an unhappy marriage.
-1
Young Sherry Williams dreams of having a singing career, and she idolizes her older sister Josephine, who has gone to New York to perform on the stage. When Sherry is distraught just before performing at her school, a visiting Broadway producer encourages her by telling her positive things about her sister. Soon afterwards, Sherry decides to make a surprise trip to New York to visit Josephine - but what she finds there is not at all what she expected
0
A crusading editor and his star reporter aid underprivileged youths and crack down on racketeers out to fix basketball.
-1
Filmed back-to-back with three other Sunset Carson vehicles in 1947, this Yucca Pictures Western starred the former Republic cowboy as a Texas Ranger chasing a gang of rustlers into the notorious outlaw territory of Three Corners. Attempting to sabotage the proposed annexation of the territory, desperado Bart Dawson (Stephen Keyes) and his men ambush Sunset and his young trainee Jed (Al Terry). The villains, who have been terrorizing pretty trading post operator Helen Bennett (Patricia Starling), are eventually defeated by the rangers in a violent gun battle and the planned annexation takes place on schedule. For all intents and purposes, the handsome but wooden Sunset Carson ended his screen career with this series of extremely low-budget Westerns, originally filmed in 16mm and released by that dumping ground of Poverty Row flotsam, Astor Pictures.
-4
A white gorilla causes trouble in the deepest heart of Africa. The film uses footage from the silent 1927 serial Perils Of The Jungle.
-1
A feud between two gangs in Chinatown breaks out into a tong war.
-1
A runaway boy pretends to be the son of a Navy man, only to turn both their lives upside down.
-2
In this murder mystery, sexy blonde film star Irma Gladden is found dead in her car after shooting the last scene in her film, "Falling Star" at Eminent Studios. The suspects are numerous due to her free and easy lifestyle and messy romantic affairs. Among them are Grace Sibley the jealous wife of her director, Warren Sibley, her drunken actor husband, Andre Leighton, her screenwriter boyfriend, Rex Forsythe, and her first husband, Robert Worth. Also on hand to help solve the mystery are visiting reporter Bob Adair, Irma's secretary, Valerie Christine, and policemen Captain Sommers and Sergeant Delaney.
-1
Judge Kirby is being blackmailed and forced to let outlaws go free. He was once the partner of Roy's father and when Roy reads in the paper that he is in trouble he heads out to help him. Arriving, Roy quickly realizes he has been mistaken for one of the outlaws and is not wanted in town. However he stays, and now posing as that outlaw, hopes to learn who is causing all the problems.
-5
Dan Adams resigns his position as prosecutor on the district attorney's staff and sets out to clean up a gang of fake-accident racketeers. He gets a job with an insurance company, and assures the company president he will get the goods on the gang or die in the attempt. At the company offices, he meets Carol Carter and she, believing he is a shyster (possibly redundant) lawyer in the employ of the racketeers gives him as little help as possible. Dan visits his brother Eddie, who is mixed up with the gang and tries to make him break away. Eddie is belligerent but finally, because of the pressure brought by Dan and his wife Tonia, agrees to go straight. The gang, led by "Duke" Trotti, fears he will squeal and they kill him, plus they make his death look like an accident and plan to collect on it. Dan is closing in on the gang when Carol, who is now his assistant, comes up with some conclusive evidence, but "Duke" has plans to get rid of her before she can give the information to Dan.
-4
A rich, happy-go-lucky young man lives with his faithful man-servant. The young man gets married to a well-to-do woman who is more educated than him, and she changes him to a more responsible person
3

0
A heartthrob singer, Tony Paige, also known as "America's Boyfriend" decides to wed a Swedish actress. His manager doesn't want this because he is afraid of Tony losing female fans so he takes up a 300 hundred thousand dollar insurance policy if Tony does in fact wed. Tony soon meets a girl name June Delaney on a bus who doesn't swoon over him like other girls. He falls for her but doesn't know her true identity.
-2
Cowboy puts on a black mask and a black outfit to fight a gang of land-grabbing crooks.
-1
Manzanita Springs ia a combination small airline and spa and Vance Brados wants it. He pays their mechanic to have the planes run out of fuel so his men can rob the gold shipments and kill the pilots. After Sheriff Roy Rogers catches the mechanic, Roy plans one more gold shipment to get proof and this time his men will be ready. But it looks like Roy's plan will fail when Brados suspects a trap and call off the raid.
0
A man is blamed for a murder that was actually committed by his wife.
-1
In the midst of the Civil War, Lassiter has a plan to get control of California. Working out of St. Joseph, he plans to send forged messages to the troops on the west coast via Pony Express. First he attempts to bribe Pony Express ride Roy Rogers. When Roy refuses he turns to the outlaw Johnson and his gang and this leads to trouble.
-3
A tough street kid takes the rap for a burglary committed by the son of his foster family and is sent to a boys reformatory, where the inmates are under the thumb of corrupt guards and a brutal prison doctor.
-2
Stephen Westcott and Ed Martin scheme to put Jane Travers' wagon line out of business. They want to use it take over all the wagon- train traffic going west. Hoppy, California and Lucky must make sure that doesn't happen.
1
A young soldier uncovers a ring of spies when he investigates his brother's mysterious murder.
-2
A medicine man on the last show boat on the Mississippi is mistaken by two gangsters as a bootleger, and has to envade them.
-2
An elderly man leaves Wyoming to visit his daughter in a small Massachusetts town because, even though she didn't say so, he believes she needs his help. When he gets there he discovers that his daughter, a lawyer, is under great stress because of her biggest client, an old geezer who is the wealthiest and most powerful man in town. The girl's father decides to make the old man "disappear" by performing a rain dance he learned from an Indian chief back in Wyoming--and lo and behold it starts to rain and the old man does indeed disappear. The local sheriff, however, suspects foul play and arrests the girl's father.
-2
Tex and his pals join the Rangers to fight rustlers along the border. When Doc and Pee Wee get framed for rustling and then jailed, Tex deserts the Rangers, crosses the border, and joins up with the outlaw gang hoping somehow to clear his pals.
-1
A respected war correspondent is found murdered, with three bullets--from three different guns--in him. Three different men are arrested, convicted and sentenced to death for the murder, but only one can be the actual killer. A criminologist sets out to find who is really guilty.
-4
Lum Edwards is annoyed with his partner in Pine Ridge's Jot-'em-Down general store, Abner Peabody, because Abner has swapped their delivery car for a racehorse. Lum is also too timid to propose to Geraldine, so he involves Abner in a "rescue" effort which nearly gets both of them killed. They try again, and this time Geraldine is impressed. Lum writes a proposal note, but Abner, by mistake, delivers it to the Widder Abernathy, who has been ready to remarry for years. This puts Lum in a peck of trouble until the sheriff appears with the Widder's long-gone and hiding husband.
-3
Russ Evans, A WWII veteran army pilot, decides to check up on the widow of an old war buddy of his, Elaine Graham. The logging company she inherited is doing poorly, but Elaine gets an order in for a huge shipment of lumber. Russ and his friend Squirrel volunteer to help her cut the timber for the shipment, along with her friends Smacksie Golden and his girlfriend Lil Boggs, who are not used to doing physical labor. Russ pilots the plane to deliver the lumber before the company falls to a slimy businessman.
-1
College student Jimmy Shaw inherits a racehorse, named Lightning Lad, and sells stock to fellow students in order to obtain funds for racing the horse. Lightning Lad wins very race he is entered in. Marion Braddock, a spoiled rich girl who owns a racing stable offers to buy Lightning Lad, but Jimmy refuses to sell. The day of the big handicap-race arrives and Jimmy and his fellow stockholders are on their way to the track. But a group of gamblers, betting on Lightning Lad to lose, have some skullduggery plans to ensure Lightning Lad does not win the race.
1
Two young lovers caught up in the underworld decide to get out and go straight, but a gang leader has other plans for them.
1
A tire manufacturer's daughter becomes a champion auto racer.
1
Ken Maynard's exceptionally intelligent horse, Tarzan the Wonder Horse, is the star of this western about evil cowboy Steve Frazer (Welch) who gathers horses for slaughter, whose meat is sold to pet food manufacturers. The wild horse Tarzan frees the doomed horses from their corrals, and Frazer convinces the Sheriff that Tarzan is a threat and can be shot on sight. Local cowboy Ken Benson (Maynard) and rancher Pat Riley (Kennedy) work together to clear Tarzan's good name and put Frazier behind bars for his evil deeds.
1
A group of American adventurers discover a bed of black pearls off a South Pacific island. When one of them is shot dead, a young girl in the group is accused of the crime.
-2
Medical intern Robert Morley is distraught after his wife dies in childbirth. He's resentful of his new son and wants nothing to do with him. He leaves the child with his aunt and uncle and heads off to Europe to pursue his medical studies. Morley returns to his hometown six years later, now a successful doctor and engaged to be married to a beautiful socialite. He also feels differently about the boy and attempts to gain custody from his aunt and uncle.
1
A stray German shepherd, a runaway teenage boy, and a runaway teenage girl end up at her uncle's place in Oregon, where an epidemic of sheep rustling is under way.
-3
Ware College is a small Black college in Ware, Ohio. Once prominent, it is now low in attendance, low in enrollment and low on money; and at a meeting with instructors Drury and Annabelle Brown, Dean Hargreaves reveals that CEO Benjamin Ware III, grandson of the college's founder, claims the estate of his late grandfather is now also destitute, which they believe is untrue and a result of Annabelle's having spurned his affections. They decide to appeal to their famous alumni for financial help thru a reunion, and invitations are sent. Many could help; but surely not Lucius Jordan, a timid lad who loved Annabelle too but dropped out under pressure from Ware. What they don't know is, he's now Louis Jordan, king of swing and leader of the Tympani Band.
2
When Tad Wallace's act flops on Broadway, he joins a troop heading west. In a small town they run into Jeffries who has just burned down the theater. When Jeffries kills Griswold, Tad has a plan to trap him by using the talents
-2
A convent-raised woman (Martha Vickers) learns of her American Indian heritage through romance with an educated Navajo (Philip Reed) during the 1880s.
1
Simba: The King of the Beasts is an 1928 American black-and-white silent documentary film, directed by Martin and Osa Johnson, which features the couple's four-year expedition to track the lion across Kenyan veld to his lair.
1
Roy Rogers rides to the rescue when a bank robber's orphaned son (Tommy Cook), who is living at a ranch for homeless boys run by Gabby Whittaker (George "Gabby" Hayes), attracts the attention his father's rowdy gang, who want to claim the boy's inheritance for themselves
0
Tim takes a job as a lowly chipper because he has been afraid to go high ever since a bad fall in which he was injured and another workman was killed.
-5
An outlaw falsely accused of murder realizes the only way to clear himself is to become a lawman.
-2
Suspicion and Mistaken Identity blend well into this plot line; first pair is Dr. Vembu Iyer (K. Sarangapani) and his wife, Chellam (Chellam) and the second is, Mr. Dhanabal Gupta (K.Mahadevan) and wife Ravathi (M.K.Meenalochani). Vembu iyer is having a free dispensary, helping his patients. One day, Revathi goes unconscious in front Dr. Vembu iyer's clinic and the suspicion gets into the pairs. Mistaken identity gets in as Chellam looks over the balcony the pair in the street and Dhanabal Gupta's photo in the street, left behind by Revathi. Sequence of comedies comes in and finally, Revathi's mother straightens the estranged pairs; ends well in light of laughter of their own suspicion.
-2
Wallaby Jim and his men have just found a valuable source of pearls in the South Pacific. But Jim's associate Norman has put the whole operation in jeopardy because of his gambling problem. Jim's unscrupulous rival Richter decides to exploit the situation by jumping Jim's claim and trying to take over for himself.
-4
The swamp folk of the deep Okefenokee live a brutal primitive life untouched by modern times - they support themselves by hunting alligators and selling them to the outside world. Jeff returns home from college with an engineering degree and dreams of bringing modern medical care and education to the swamps. He is immediately confronted by his old boyhood rival, "Gator-Bait" Blair, who thinks things are just fine the way the are. "Gator" whips the ignorant locals into a frenzy of fear and resistance. When Jeff is unintimidated by their threats, Blair sets out to stop his plans once and for all - with a rifle.
-5
Henry Jethrow is after the Wilson ranch. He has George Wilson unknowningly sign a note for the ranch, has him killed, and then presents the note. The Pinto Kid, investigating cattle rustlers, accidentally drops his glove at the murder scene and now has a price on his head. He has Beth Wilson turn him and use the reward money to reclaim the note. Now he has to escape jail and find the real killers.
-1
Lawyer Rontel has made Geologist Sheffield his prisoner and by power of attorney is using his money to buy the ranches of those driven off by his hired men. But when he goes after Hayden, Tucson and Stoney arrive and things begin to change.
-1
Two taxi-fleet operators rescue a girl and she follows them to a mountain resort.
0
Joe Weller has instigated a conflict over water rights between two ranchers. The idea is to have the ranchers do each other in then move in and take over. Hoppy and the good guys won't let this happen.
1
Bolton has organized a feud between the Rork's and the O'Neil's. He has rustled cattle and killed a man putting the blame on Danny O'Neil. Tom Rork has found a bullet with markings on it that he hopes will clear Danny and bring in the real killer.
-2
Brown is a confident young firefighter. He and his buddy become interested in two girls, after saving their cat. He then fights a fire in the apartment building next door to his new girlfriend.
1
Cardsharp Jack Cardigan decides to go straight when he meets Doris Bradfield, but is forced to use his talents on behalf of her dad, whose land-grant title has fallen into the hands of Jed Harden through the gambling weakness of Bradfield's son Tom.
-2
Tolen is after the Harkins ranch where his men have found gold. After they kill Harkins, Dorothy and Dick step in and discover that the gold actually washes down from Tolen's own ranch. When Harkins' brother arrives to take over they test Tolen by having the brother offer to swap ranches.
0
Skipper Murphy is serving as trainer and inspiration for his brother Red Murphy training for a world championship title bout. Trouble comes for the Murphys when Red runs up against a gambling syndicate and is put on the spot to throw the fight.
0
Stranded on an island, a blind artist (Warren Hull) falls in love with a native (Movita).
-1
In Hungary, a rich baron discovers that there are extensive oil deposits underneath nearby properties owned by villagers. He manages to convince all the property owners to sell to him, except for a few properties owned by Jewish families. Infuriated at their refusal to sell to him, he attempts, with the help of some corrupt local police, to have the men charged with the murder of a local woman, who in reality actually committed suicide.
-4
Our hero Jimmie March works for stockbroker E.J. Philips and daydreams of romance with Eleanor, the boss's lovely daughter. Unfortunately, Eleanor is dating Mortimer Fenton, a wealthy cad who used to push Jimmie around in college. To add insult to injury, Jimmie gets fired. All seems lost until a gypsy fortune teller foretells that he'll make a bundle playing hunches in the stock market. So, he convinces his buddies to lend him some money and invests in stocks that then start to skyrocket. However, Fenton isn't about to take that lying down and subsequently hatches a plan to wipe his rival out for good... Will Jimmie's fortune come true? Will he be able to defeat Fenton and win the heart of the girl? Watch and find out!
3
Thieves break into a warehouse that stores guns, steal them and kill the night watchman. An undercover agent assigned to the case happens to get into a traffic accident with the sister of the man the police suspect is head of the burglary ring, and in order to work his way into the gang, he romances the boss' sister. Complications ensue when the two fall in love.
-4
Magazine owners sell a revealing photo, then play detective when the deal leads to murder.
0
Rigging a horse race, Don Carlos wins a lot of money. When he loses his winnings at the gambling table, he shoots the dealer with Horton's gun. Horton is arrested but cannot prove his innocence.
1
"The County Fair" begins with a nasty rich guy threatening to turn an old lady onto the street--unless her niece (who lives with her) marries this man's son. While she's dead set against it, the niece is a sweet thing and would do anything to help her aunt--even marry the rich jerk. However, a possible way out is presented. When a poor young man is taken in and fed, he turns out (naturally) to be a jockey and thinks he can win the $3000 prize at the fair and save the farm.
2
Dyer is buying ranches and then retrieving his check by having his gang kill the owner. Bob Worth arrives just as Buck Morton is killed and gets blamed for the murder. Fleeing from the Sheriff, Bob teams up with the Mexican outlaw Golinda. Having seen Dyer pay off his men, he has a plan to trap him and Golinda is just the man he needs to make it work.
-4
Nazi spies mistake Snuffy Smith's moonshine for a new secret rocket fuel and try to steal the "formula."
-2
The film used no professional actors, instead relying on residents of the town where most of the filming took place: New London, Connecticut.
0
A hunter is hired to take an expedition deep into the African jungle to search for a white boy lost in a plane crash years before, and who has been rumored to be living among the wild animals.
-3
A wealthy retired farmer and his wife deeply regret that they have no child to cheer them in their old age. They are attracted by the sounds of happy children playing in the snow outside and go to the window to watch them. The children are building a snowman and the old farmer proposes to his wife that they too shall go out in the snow and build a snow child. They select a spot in the front yard and build a child out of snow. The neighbors think they have gone crazy, but the man and his wife continue their childish amusement until they have finished a beautiful snow child. They then return to the house and resuming their former places in front of the fire fall asleep and dream that their snow child has come to life. The snow child fades away and a real live child is there in place of it. It dances about for joy and dances its way into the house. The farmer and his wife awake to find their dream come true. They are astonished and amazed, and cannot believe that it is a real live child. The child tells them that she is the daughter of the North Wind that her name is Snow White. The farmer and his wife falls on their knees and give thanks to God for sending them such a beautiful child. Snow White cheers and comforts them until Spring comes. As the winter fades away she gets weaker and weaker. One day the children come for her to go out in the woods and look for the first spring flowers. Arrived at the woods the children build a large fire. One of the little girls finds the first flower of spring and the children dance around the fire in celebration. Snow White stands at one side disconsolate, though urged to join the fun by the other children. At last the children tiring of their dancer wander off in search of other flowers. The fire has a wonderful attraction for Snow White. Gradually and reluctantly she approaches it and is transformed from a living child back into a snow child, which rapidly melts before the intense heat of the fire until it is nothing but a shapeless mass of snow.
3
An old rancher's property sites smack-dab on the site where a new highway is to be built, although he doesn't know it. Someone else does, however, and is determined to force the old man off his property in order to get the ranch for himself. The rancher's foster son returns home to help the old man keep his property and find out who is behind the scheme to take it from him.
0
President Lincoln personally sends Bill Gibson west to see if he can stop the holdups of the needed shipments of gold. There he meets his boyhood friend Foster. When all others refuse to take out the next gold shipment due to the killings, Bill volunteers. Jeannie, afraid for his safety, tells Foster of Bill's secret route not knowing Foster is the leader of the outlaw gang.
-2

0
Native son returns from school in Spain to California in 1855 and finds corrupt politicians stealing land from old California families. He becomes a sort of Robin Hood in order to fight them.
-2
The Baron is an aging, cynical lady's man. He has a key-chain with about 50 keys to different women' apartments in Paris. He selects one at random to see who he will sleep with at night. His adversary is a young Parisian artist (the next Picasso), Victor. Victor believes in love and he's going to marry his girlfriend Claudette as soon as he sells his first painting. The Baron seduces Claudette, seemingly to teach Victor a lesson. However, as might be predicted, he soon falls in love with Claudette himself.
-1
Sailor meets singer in Cuba. He's due to ship out, but hits it off with her, so he sticks around. Trouble brewing on many fronts - singer's best friend doesn't like the sailor, and singer has another suitor anyway. Rich guy takes her to all the fancy Cuban sports events - jai-alai, horse racing. Much more glamorous than spending time with Sailor. Can he win her over before he gets in trouble for letting his ship sail without him?
4
The cult of Ubasti, headquartered on the isle of Lemuria, believes that Princess Nadji of Egypt is a reincarnation of their long-dead goddess, Ossana, and intend to sacrifice her so that Ossana may be resurrected. Nadji has sought refuge at the California home of Frank Chandler, an American educated in the Ancient East and familiar with White Magic and thus calls himself "Chandu". Vindhyan, high priest of the cult's California base has learned of this, however, and works his Black Magic to gain control of Nadji. Chandu is able to rescue her but she is in a deep trance which he cannot penetrate, so attempts to move her to safety in the South Seas, unaware that the cult has a base there also and that Vindhyan has stowed aboard his chartered yacht.  One of two feature films edited from the same-title, same-year movie serial, this one is comprised of the first four chapters simply edited together.
5
Documentary - Documentary about the construction of the Stilwell Road--originally called The Ledo Road--a 478-mile passage from Assam, India, to Ledo, Burma, during World War II. The road, which was built by 63,000 workers and cost $150 million, was used by the British, Chinese and Indian armies to transport supplies, troops and other essentials from India to Burma in order to keep the Japanese from overrunning the entire theater. -  Ronald Reagan, Harold Alexander, Claude Auchinleck
0
Story of a boy and his horse. Mike is the horse and is owned by Speck and his best friend Jimmy, together they have a paper route, on which they deliver papers to customers via a wagon pulled by Mike. Recently a horse track has been built in the area and attracts horse breeder and racer Colonel Whiteny. He takes out a subscription for delivery and meets Mike and Speck & Jimmy. Clever Jimmy talks both the Colonel and Speck into taking on the Colonel's pure bred race horses at the track with comedic results.
3
An honest boxer refuses to throw a fight for a gambler. They get into a fight and the boxer knocks the gambler out. Thinking he's killed him and believing that the police are after him, the horrified boxer runs off and takes to the road, promising never to box again. However, one day he comes upon a small but scrappy young kid who has the potential to be a champion. The former boxer takes the kid under his wing and trains him, but the kid's ensuing success starts to go to his head. Pretty soon he finds himself mixed up with gamblers, too.
1
A spoiled boy sent to the country to grow-up. He has to deal with life, friends and crooks.
-2
A singer in Shanghai looks exactly like a missing flyer who went missing, and is feared to have sold the experimental airplane that he was flying. Foreign gangsters, the missing flyers girlfriend, and the U.S. military wants him, dead or alive.
-1
The former Jo March and her husband Professor Bhaer operate the Plumfield School for homeless boys. One of the boys, Nat, invites Dan, a street kid, to come to the school, where the boys are all loved and well cared for. Dan is a young tough, but his heart is good, and when he is accused of theft at the school, Jo continues to believe in him and that the true thief will be found out.
4
The Avengers is a British television series created in the 1960s. It initially focused on Dr. David Keel and his assistant John Steed. Hendry left after the first series and Steed became the main character, partnered with a succession of assistants. His most famous assistants were intelligent, stylish and assertive women: Cathy Gale, Emma Peel and Tara King. Later episodes increasingly incorporated elements of science fiction and fantasy, parody and British eccentricity.
0
Mister Rogers' Neighborhood is an American children's television series that was created and hosted by namesake Fred Rogers. The series originated in 1963 as Misterogers on CBC Television, and was later debuted in 1966 as Misterogers' Neighborhood on the regional Eastern Educational Network, followed by its US network debut on February 19, 1968, and it aired on NET and its successor, PBS, until August 31, 2001. The series is aimed primarily at preschool ages 2 to 5, but has been stated by PBS as "appropriate for all ages". Mister Rogers' Neighborhood was produced by Pittsburgh, Pennsylvania, USA public broadcaster WQED and Rogers' non-profit production company Family Communications, Inc.; previously known as Small World Enterprises prior to 1971, the company was renamed The Fred Rogers Company after Rogers' death.
0
The Bob Newhart Show is an American situation comedy produced by MTM Enterprises, which aired 142 original episodes on CBS from September 16, 1972, to April 1, 1978. Comedian Bob Newhart portrays a psychologist having to deal with his patients and fellow office workers. The show was filmed before a live audience.
1
A poor otter family risks everything for the chance to win the cash prize of a talent contest for Christmas.
1
While on a mission, American astronaut Captain Tony Nelson is forced to make an emergency landing that will forever change his life.

On a deserted South Pacific island, Captain Nelson happens upon a bottle containing a beautiful two-thousand-year-old female genie named Jeannie.

Rescuing her from the bottle nets Tony the requisite three wishes, and then some, when Jeannie pledges total devotion to her new "master".
1
A butler deals with life at the governor's mansion.
0
Barney Miller is an American situation comedy television series set in a New York City police station in Greenwich Village. The series originally was broadcast from January 23, 1975 to May 20, 1982 on ABC. It was created by Danny Arnold and Theodore J. Flicker. Noam Pitlik directed the majority of the episodes.
-1
Beautiful, intelligent, and ultra-sophisticated, Charlie's Angels are everything a man could dream of... and way more than they could ever handle! Receiving their orders via speaker phone from their never seen boss, Charlie, the Angels employ their incomparable sleuthing and combat skills, as well as their lethal feminine charm, to crack even the most seemingly insurmountable of cases.
3
While filing for a divorce, beautiful ex-stripper Roslyn Taber ends up meeting aging cowboy-turned-gambler Gay Langland and former World War II aviator Guido Racanelli. The two men instantly become infatuated with Roslyn and, on a whim, the three decide to move into Guido's half-finished desert home together. When grizzled ex-rodeo rider Perce Howland arrives, the unlikely foursome strike up a business capturing wild horses.
-2
Sitcom following a successful African-American couple, George and Louise “Weezyö Jefferson as they “move on up” from working-class Queens to a ritzy Manhattan apartment. A spin-off of All in the Family.
1
In the Deep South, a serial-killing preacher hunts two young children who know the whereabouts of a stash of money.
0
Just released from prison, a young woman arrives in town to start a new life, but soon begins stalking a married construction worker for no apparent reason, turning his life inside out and eventually terrorizing him and his wife.
-1
The young D'Artagnan arrives in Paris with dreams of becoming a king's musketeer. He meets and quarrels with three men, Athos, Porthos, and Aramis, each of whom challenges him to a duel. D'Artagnan finds out they are musketeers and is invited to join them in their efforts to oppose Cardinal Richelieu, who wishes to increase his already considerable power over the king. D'Artagnan must also juggle affairs with the charming Constance Bonancieux and the passionate Lady De Winter, a secret agent for the cardinal.
0
Holmes and Dr. Watson take on the case of a beautiful woman whose husband has vanished. The investigation proves strange indeed, involving six missing midgets, villainous monks, a Scottish castle, the Loch Ness monster, and covert naval experiments.
-3
During routine manoeuvres near Hawaii in 1980, the aircraft-carrier USS Nimitz is caught in a strange vortex-like storm, throwing the ship back in time to 1941—mere hours before the Japanese attack on Pearl Harbor.
-2
After witnessing a mysterious woman brutally slay a homemaker, prostitute Liz Blake finds herself trapped in a dangerous situation. While the police thinks she is the murderer, the real killer is intent on silencing her only witness.
-6
This historical drama is an account of the early life of British politician Winston Churchill, including his childhood years, his time as a war correspondent in Africa, and culminating with his first election to Parliament.
0
In the slums of the upper West Side of Manhattan, New York, a gang of Polish-American teenagers called the Jets compete with a rival gang of recently immigrated Puerto Ricans, the Sharks, to "own" the neighborhood streets. Tensions are high between the gangs but two romantics, one from each gang, fall in love leading to tragedy.
-2
Josie and the Pussycats is an American animated television series, based upon the Archie Comics comic book series of the same name created by Dan DeCarlo. Produced for Saturday morning television by Hanna-Barbera Productions, sixteen episodes of Josie and the Pussycats aired on CBS during the 1970-71 television season, and were rerun during the 1971-72 season. In 1972, the show was re-conceptualized as Josie and the Pussycats in Outer Space, sixteen episodes of which aired on CBS during the 1972-73 season and were rerun the following season. Reruns of the original series alternated between CBS, ABC, and NBC from 1974 through 1976. This brought its national Saturday morning TV run on three networks to six years.

Josie and the Pussycats featured an all-girl pop music band that toured the world with their entourage, getting mixed up in strange adventures, spy capers, and mysteries. On the small-screen, the group consisted of level-headed lead singer and guitarist Josie, intelligent tambourinist Valerie, and air-headed blonde drummer Melody. Other characters included their cowardly manager Alexander Cabot III, his conniving sister Alexandra, her cat Sebastian, and muscular roadie Alan.
-1
A psychiatrist tells two stories: one of a trans woman, the other of a pseudohermaphrodite.
0
Frederick Loren has invited five strangers to a party of a lifetime. He is offering each of them $10,000 if they can stay the night in a house. But the house is no ordinary house. This house has a reputation for murder. Frederick offers them each a gun for protection. They all arrived in a hearse and will either leave in it $10,000 richer or leave in it dead!
0
30-year-old single Mary Richards moves to Minneapolis to start a new life after a romantic break-up. There she reacquaints with Phyllis who rents her a room, and meets her upstairs neighbor and new best friend Rhoda. Mary unexpectedly lands a job as associate producer at the TV station WJM, where she works alongside her bristly boss, Lou; the comical newswriter, Murray; and the newscast's often-incompetent anchor, Ted.
0
An Assistant District Attorney is about to prosecute members of a motorcycle gang for murder when he gets blackmailed because of an affair with a teenage babysitter.
-2
Dark Shadows is an American gothic soap opera that originally aired weekdays on the ABC television network, from June 27, 1966, to April 2, 1971. The show was created by Dan Curtis. The story bible, which was written by Art Wallace, does not mention any supernatural elements. It was unprecedented in daytime television when ghosts were introduced about six months after it began.

The series became hugely popular when vampire Barnabas Collins appeared a year into its run. Dark Shadows also featured werewolves, zombies, man-made monsters, witches, warlocks, time travel, and a parallel universe. A small company of actors each played many roles; indeed, as actors came and went, some characters were played by more than one actor. Major writers besides Art Wallace included Malcolm Marmorstein, Sam Hall, Gordon Russell, and Violet Welles.

Dark Shadows was distinguished by its vividly melodramatic performances, atmospheric interiors, memorable storylines, numerous dramatic plot twists, unusually adventurous music score, and broad and epic cosmos of characters and heroic adventures. Now regarded as something of a classic, it continues to enjoy an intense cult following. Although the original series ran for only five years, its scheduling as a daily daytime drama allowed it to amass more single episodes during its run than most other science-fiction/fantasy genre series produced for English-language television, including Doctor Who and the entire Star Trek television franchise. Only the paranormal soap opera Passions, with a total of 2,231 episodes, has more.
-2
The space family Robinson is sent on a five-year mission to find a new planet to colonise. The voyage is sabotaged time and again by an inept stowaway, Dr. Zachary Smith. The family's spaceship, Jupiter II, also carries a friendly robot who endures an endless stream of abuse from Dr. Smith, but is a trusted companion of young Will Robinson
0
An unemployed construction worker heading out west stops at a remote farm in the desert to get water when his car overheats. The farm is being worked by a group of East European Catholic nuns, headed by the strict mother superior, who believes the man has been sent by God to build a much needed church in the desert.
-2
In the near future, big wars are avoided by giving individuals with violent tendencies a chance to kill in the Big Hunt. The Hunt is the most popular form of entertainment in the world and also attracts participants who are looking for fame and fortune. It includes ten rounds for each competitor, five as the hunter and five as the victim.
1
This series chronicles the adventures--in the air and on the ground--of the men of the 918th Bombardment Group of the U.S. Eighth Air Force. First commanded by irascible General Frank Savage--and later by Colonel Joe Gallagher, the son of a Pentagon General--the Group is stationed in England, and flies long-range bombing missions into German-held Europe.
-3
The series stars Gary Coleman and Todd Bridges as Arnold and Willis Jackson, two African American boys from Harlem who are taken in by a rich white Park Avenue businessman named Phillip Drummond and his daughter Kimberly, for whom their deceased mother previously worked. During the first season and first half of the second season, Charlotte Rae also starred as the Drummonds' housekeeper, Mrs. Garrett.
2
Wealthy couple Jonathan and Jennifer Hart, a self-made millionaire and his journalist wife, moonlight as amateur detectives.
1
A small-town doctor learns that the population of his community is being replaced by emotionless alien duplicates.
0
After their airplane crashes behind enemy lines, four soldiers must survive and try to find a way back to their battalion. However, when they come across a local peasant girl the horrors of war quickly become apparent.
-2
Pardon-me Pete, the official groundhog of Groundhog Day, tells the story of Jack Frost, who falls in love with a beautiful young woman and begs Father Winter to make him human so that she can see him. His request is granted, but only on the condition that by the Spring he has a house, a bag of gold, a horse and a wife. But Jack finds that life as a human is more complicated than he thought.
0
Wanted: Dead or Alive is an American Western television series starring Steve McQueen as the bounty hunter Josh Randall. It aired on CBS for three seasons from 1958–61. The black-and-white program was a spin-off of a March 1958 episode of Trackdown, a 1957–59 western series starring Robert Culp. Both series were produced by Four Star Television in association with CBS Television.

The series launched McQueen into becoming the first television star to cross over into comparable status on the big screen.
-1
Martians fear their children have become lazy and joyless due to their newfound obsession with Earth TV shows. After ancient Martian leader Chochem suggests that the children of Mars need more fun—including their own Santa Claus—supreme leader Lord Kimar assembles an expedition to Earth. Once there, they kidnap two children who lead them to the North Pole, then capture the real Santa Claus, taking all three back to Mars in an attempt to bring the Martian children happiness.
-1
Gardeners' World is a long-running BBC Television programme about gardening, first broadcast in 1968 and still running as of 2013. Its first episode was presented by Ken Burras and came from Oxford Botanical Gardens. The magazine BBC Gardeners' World is a tie-in to the programme. Most of its episodes have been 30 minutes in length, although there are many specials that last longer. The 2008 and 2009 series used a 60-minute format.
0
Here's Lucy is Lucille Ball's third network television sitcom. It ran on CBS from 1968 to 1974.
0
Depressed and jaded after being dumped by her married boyfriend, aging beauty Minnie Moore wonders if she'll ever find love.  After shaggy-haired parking lot attendant Seymour Moskowitz comes to her defense from an angry and rebuffed blind date, he falls hopelessly in love with her despite their myriad differences.  Minnie reluctantly agrees to a date with Moskowitz, and, slowly but surely, an unlikely romance blossoms between the two.
-5
Visitors to a remote island discover that a reclusive Nazi commandant has been breeding a group of zombie soldiers.
-1
After being punished for getting into trouble, a mischievous young man is sent to train under a brutal, but slovenly old beggar, who teaches him the secret of the Drunken Fist.
-6
Joe Pendleton is a quarterback preparing to lead his team to the superbowl when he is almost killed in an accident. An overanxious angel plucks him to heaven only to discover that he wasn't ready to die, and that his body has been cremated. A new body must be found, and that of a recently-murdered millionaire is chosen. His wife and accountant—the murderers—are confused by this development, as he buys the L.A. Rams in order to once again quarterback them into the Superbowl.
1
When a bumbling New Yorker is dumped by his activist girlfriend, he travels to a tiny Latin American nation and becomes involved in its latest rebellion.
-1
The epic tale of a class struggle in twentieth century Italy, as seen through the eyes of two childhood friends on opposing sides.
-1
After killing a prison guard, convict Robert Stroud faces life imprisonment in solitary confinement. Driven nearly mad by loneliness and despair, Stroud's life gains new meaning when he happens upon a helpless baby sparrow in the exercise yard and nurses it back to health. Despite having only a third grade education, Stroud goes on to become a renowned ornithologist and achieves a greater sense of freedom and purpose behind bars than most people find in the outside world.
-4
A common friend's sudden death brings three men, married with children, to reconsider their lives and ultimately leave together. But mindless enthusiasm for regained freedom will be short-lived.
-1
After Regina Lampert falls for the dashing Peter Joshua on a skiing holiday in the French Alps, she discovers upon her return to Paris that her husband has been murdered. Soon, she and Peter are giving chase to three of her late husband's World War II cronies, Tex, Scobie and Gideon, who are after a quarter of a million dollars the quartet stole while behind enemy lines. But why does Peter keep changing his name?
-2
The story of the life of comedienne Fanny Brice, from her early days in the Jewish slums of the Lower East Side, to the height of her career with the Ziegfeld Follies, including her marriage to and eventual divorce from her second husband, Nick Arnstein.
0
There's something pretty grisly going on under London in the Tube tunnels between Holborn and Russell Square. When a top civil servant becomes the latest to disappear down there Scotland Yard start to take the matter seriously. Helping them are a young couple who get nearer to the horrors underground than they would wish.
2
In 1700s Austria, a witch-hunter's apprentice has doubts about the righteousness of witch-hunting when he witnesses the brutality, the injustice, the falsehood, the torture and the arbitrary killing that go with the job.
-6
A mad scientist (Donald Pleasence) crosses plants with people, and the results wind up in a sideshow.
-1
After undergoing radical surgery for injuries from a motorcycle accident, a young woman develops a strange phallic growth on her body and a thirst for human blood—the only nourishment that will now sustain her.
-3
Set in 1958, the coming of age story follows four lower middle-class Brooklyn teenagers known as The Lords of Flatbush. The Lords chase girls, steal cars, shoot pool, get into street fights, and hang out at a local malt shop.
-2
While delivering a parking ticket to a small village in the Florida everglades, Officer Dave Speed finds himself in the middle of a radiation experiment conducted by the American government and NASA, where a detonated nuclear missile gives him a multitude of superpowers.
0
Running from the law after a bank robbery in Mexico, Dad Longworth finds an opportunity to take the stolen gold and leave his partner Rio to be captured. Years later, Rio escapes from the prison where he has been since, and hunts down Dad for revenge. Dad is now a respectable sheriff in California, and has been living in fear of Rio's return.
-2
The Partridge Family is an American television sitcom series about a widowed mother and her five children who embark on a music career.
0
The wives of several high-powered doctors feel neglected due to their husbands' focus on their careers, so they embark on a regimen of sex, drugs and booze.
-1
Arsene Lupin III is the grandson of the master thief Arsene Lupin. With his cohorts Daisuke Jigen and Goemon Ishikawa XIII and his love interest Fujiko Mine, he pulls off the greatest heists of all time while always escaping the grasp of Inspector Koichi Zenigata.
3
Streetwise Detective David Starsky partners up with a more intellectual partner, Kenneth 'Hutch' Hutchinson, to protect citizens and patrol the streets of Bay City.
1
The misadventures of a cantankerous junk dealer and his frustrated son.
-2
Gambler Nathan Detroit has few options for the location of his big craps game. Needing $1,000 to pay a garage owner to host the game, Nathan bets Sky Masterson that Sky cannot get virtuous Sarah Brown out on a date. Despite some resistance, Sky negotiates a date with her in exchange for bringing people into her mission. Meanwhile, Nathan's longtime fiancée, Adelaide, wants him to go legit and marry her.
-1
Two men exploring the Louisiana swamps run into a Bigfoot-type creature.
0
Striving to be independent, the blind but determined Don Baker moves away from his overprotective mother. After settling into his new San Francisco digs, Don meets kooky neighbor Jill Tanner. Don's quick wit and good looks disarm the free-spirited Jill, and before long they're more than just friends. Will Mrs. Baker's incessant meddling destroy Don and Jill's budding relationship?
-3
A young soldier who was thought to be killed in the line of duty in Vietnam returns home shortly thereafter, much to the confusion of his family. Upon his return, he exhibits strange, withdrawn behavior and begins wandering the streets at night.
-3
Survivors of a tragic shipping collision are rescued by a mysterious black ship which appears out of the fog. Little do they realise that the ship is actually a Nazi torture ship which has sailed the seas for years, luring unsuspecting sailors aboard and killing them off one by one.
-4
A tough female reporter and her cameraman boyfriend team up with a four-man commando unit in the New Guinea jungle whom are fighting flesh-eating zombies.
0
An American writer living in Rome witnesses an attempted murder that is connected to an ongoing killing spree in the city, and conducts his own investigation despite himself and his girlfriend being targeted by the killer.
-3
When a Polish sailor jumps ship in Britain, a couple of local intelligence operatives keep him under surveillance. Soon, he’s recruited to infiltrate a missile installation outside of East Berlin and bring back photos of the new rockets.
1
The inmates of an insane asylum take over the institution, imprison the doctors and staff, and then put into play their own ideas of how the place should be run.
-2
Set in London between 1900 and 1925, the story follows Louisa Leyton/Trotter, the eponymous "Duchess", who works her way up from servant to renowned cook to proprietress of the upper-class Bentinck Hotel in Duke Street, St. James's.
2
Carroll Baker stars in this psychedelic shocker about a mysterious witch who casts a spell over attractive, youthful fashion photographer Valentina Rosselli (Isabelle De Funes). Thrust into a world of sadism, Valentina must figure out whether the torture being inflicted on her is because of one woman's twisted agenda … or a curse known as Baba Yaga.
-2
A medieval tale with Pythonesque humour: After the death of his father the young Dennis Cooper goes to town where he has to pass several adventures. The town and the whole kingdom is threatened by a terrible monster called 'Jabberwocky'. Will Dennis make his fortune? Is anyone brave enough to defeat the monster?
1
Billy Coleman works hard and saves his earnings for two years to achieve his dream of buying two red-bone coonhound pups. He develops a new trust in life as he faces overwhelming challenges in adventure and tragedy roaming the river bottoms of Cherokee country with his dogs, Old Dan and Little Ann.
-1
A New York detective investigates a series of murders committed by random New Yorkers who claim that "God told them to."
-1
Truckers battle a Nazi who has hidden out in Mexico. Subplot involves the disappearance of a reclusive billionaire.
0
When a disease turns all of humanity into the living dead, the last man on earth becomes a reluctant vampire hunter.
-2
From his birth in Bethlehem to his death and eventual resurrection, the life of Jesus Christ is given the all-star treatment in this epic retelling. Major aspects of Christ's life are touched upon, including the execution of all the newborn males in Egypt by King Herod; Christ's baptism by John the Baptist; and the betrayal by Judas after the Last Supper that eventually leads to Christ's crucifixion and miraculous return.
0
Route 66 is an American TV series in which two young men traveled across America in a Chevrolet Corvette sports car. The show ran weekly on Fridays on CBS from October 7, 1960 to March 20, 1964. It starred Martin Milner as Tod Stiles and, for the first two and a half seasons, George Maharis as Buz Murdock. Maharis was ill for much of the third season, during which time Tod was shown traveling on his own. Tod met Lincoln Case, played by Glenn Corbett, late in the third season, and traveled with him until the end of the fourth and final season. The series currently airs on Me-TV, My Family TV and RTV.

Among the series more notable aspects were the featured Corvette convertible, and the program's instrumental theme song, which became a major pop hit.
1
A homely but vivacious young woman dodges the amorous attentions of her father's middle-aged employer while attempting to please her glamorously stuck-up roommate Meredith.
1
The Lucy Show is an American sitcom that aired on CBS from 1962–68. It was Lucille Ball's follow-up to I Love Lucy. A significant change in cast and premise for the 1965–66 season divides the program into two distinct eras; aside from Ball, only Gale Gordon, who joined the program for its second season, remained. For the first three seasons, Vivian Vance was the co-star.

The earliest scripts were entitled The Lucille Ball Show, but when this title was declined, producers thought of calling the show This Is Lucy or The New Adventures of Lucy, before deciding on the title The Lucy Show. Ball won consecutive Emmy Awards as Outstanding Lead Actress in a Comedy Series for the series' final two seasons, 1966–67 and 1967–68.
6
When Eve, an interior designer, is deserted by her husband of many years, Arthur, the emotionally glacial relationships of the three grown-up daughters are laid bare. Twisted by jealousy, insecurity and resentment, Renata, a successful writer; Joey, a woman crippled by indecision; and Flyn, a budding actress; struggle to communicate for the sake of their shattered mother. But when their father unexpectedly falls for another woman, his decision to remarry sets in motion a terrible twist of fate…
-10
Danny Thomas, an entertainer, tries to balance his home life with the needs of his career, with hilarious results.
1
The Hiding Place is an account of a Dutch family who risk their lives by offering a safe haven for Jews during World War II
0
Innovative "Claymation" adventures of Gumby and his horse Pokey.
0
An 18th century African prince is turned into a vampire while visiting Transylvania. Two centuries later, he rises from his coffin attacking various residents of Los Angeles and meets Tina, a woman who he believes is the reincarnation of his deceased wife.
0
Oregon, 1980: Jane, Elaine and Louise are all feeling the effects of inflation and cannot afford the high cost of living. Jane cannot afford a babysitter or get married and if she wants privacy with her boyfriend, she has to sleep in the car. Even worse, her war veteran father comes to live with her to turn her life upside down. Louise lives a happy life with her veterinarian husband, Albert. She runs an antique shop on the side, but since it doesn't take in any profit, the IRS considers it a hobby. She needs to come up with the money to keep it going, or she will be trouble with the IRS. Elaine's husband has left her for another woman and without any money. She is in a constant struggle with banks, power companies, and gas stations. She needs money to get by and also catches the eye of police officer Jack. The local mall is having a contest that features a giant money ball that states it will help fight the inflation.
0
A fisherman crosses paths with a diamond-smuggling gangster–who is his doppelgänger—and inadvertently takes his place at a resort hotel where he meets a special girl.
0
Graduate student Harry Bailey was once one of the most visible undergraduate activists on campus, but now that he's back studying for his master's, he's trying to fly right. Trouble is, the campus is exploding with various student movements, and Harry's girlfriend, Jan, is caught up in most of them. As Harry gets closer to finishing his degree, he finds his iconoclastic attitude increasingly aligned with the students rather than the faculty.
1
Police Lt. Leonard Diamond vies to bring a clever, well connected, and sadistic gangster to justice all the while obsessing over the gangster's girlfriend.
0
A wily slave must unite a virgin courtesan and his young smitten master to earn his freedom.
1
Carefree single guy Charlie Waters rooms with two lovely prostitutes, Barbara Miller and Susan Peters, and lives to gamble. Along with his glum betting buddy, Bill Denny, Charlie sets out on a gambling streak in search of the ever-elusive big payday. While Charlie and Bill have some lucky moments, they also have to contend with serious setbacks that threaten to derail their hedonistic betting binge.
-2
In a mystical desert kingdom, young martial arts fighter Cord loses a contest to determine who will journey to take the powerful Book of All Knowedge from Zetan, an evil wizard. Despite his lack of a sponsor, Cord's rule-breaking nature leads him to try retrieving the book anyway. Help is offered by a mysterious blind man who gives advice as Cord fights his way through multiple opponents, discovering more about himself as he gets closer to Zetan.
-5
A teenager with cerebral palsy attempts to become pen pals with her idol, Elvis Presley.
1
A young but bright former window cleaner rises to the top of his company by following the advice of a book about ruthless advancement in business.
2
A couple of dudes pack a van full of beer and go on a road trip in search of sexual adventures. They get that and more.
0
Laurie has been in show business since she was a child. Her dream is to be a singer, songwriter and actress. Her father wants her to be a comedian like him and Laurie only tries because it pleases her father. But she is a lousy comedian. She auditions for everything and is engaged to Ken, but Ken does not understand her needs. She has a one night stand with Chris, only to later find that he is a director. She has many emotions that have not yet been addressed and she must face them before she can get on with her life.
-1
When Edgar sees his girlfriend Betty getting up close and personal with his best friend Carl, he murders Carl in a jealous rage and hides the corpse under the floor of his piano room. Comes the night, and Edgar begins to hear strange sounds coming from under the floor...
-3
A spaceship gets lost and is forced to make an emergency landing on an unknown planet. The planet looks much like Earth, only with no trace of civilization. Soon the crew discovers that there are bloodthirsty dinosaurs on the planet. The crew hopes to be found and rescued, but until then, they must fight to survive.
-3
Disraeli is a British four part serial about the great statesman and Prime Minister of the United Kingdom, Benjamin Disraeli.
1
"The Commissioner" sends US special agent Steve Mitchell to exotic locales where he encounters adventure and international intrigue, all played out using extreme violence.
1
On the evening of his decoration for bringing a murderer to justice, Washington DC Police Captain Frank Matthews' wife, and her lover are murdered in bed. Jailed as the prime suspect, with the aforementioned murderer released on a technicality Matthews escapes in search of the man he believes to be the real killer.
-3
With his assistant, Laura Hutchinson, Dr. David Conway develops a device to advance the fledgling science of earthquake prediction. After forecasting a large trembleor that will rock California within twenty-four hours, Conway cannot persuade the Governor to act. When the prediction proves true and further tests indicate that there are more quakes to come, Conway and Laura seek to perfect their device. Subsequent tests deep within Carlsbad Caverns discover an unknown element—E-112—that is responsible for the earthquakes and threatens to destroy the globe if it ever reaches the surface. The team determines that with only four weeks until Armageddon, the race is on to neutralize the killer element before it takes a devastating toll.
-4
The workers of Milton Colliery prepare for a royal visit from Prince Charles.
0
An English slave trader is marooned on a remote tropical island, forced to fend for himself and deal with crushing loneliness.
-3
A neurosurgeon with a cheating wife takes an amnesiac into his home and conditions him to believe that the cheating wife is his own and to take the "appropriate" action.
-1
Comedy set in a refugee camp in occupied Austria after World War II. A shrewd multi-lingual interpreter who mediates between Russian and British military brass enters into a friendly rivalry with British Major Giles Burnside, who is in charge of assigning the displaced persons into either the American or Russian zones.
-1
The anti-Ching patriots, under the guidance of Ho Kuang-han, have secretly set up their base in Canton, disguised as school masters. During a brutal Manchu attack, Lui manages to escape, and devotes himself to learning the martial arts in order to seek revenge.
0
After her younger sister gets involved in drugs and is severely injured by contaminated heroin, a nurse sets out on a mission of vengeance and vigilante justice, killing drug dealers, pimps, and mobsters who cross her path.
-4
The last seven survivors of a nuclear war barricade themselves against an attack by a mutant cannibal.
-1
The Morgans, a loving and strong family of Black sharecroppers in Louisiana in 1933, face a serious family crisis when the husband and father, Nathan Lee Morgan, is convicted of a petty crime and sent to a prison camp. After some weeks or months, the wife and mother, Rebecca Morgan, sends the oldest son, who is about 11 years old, to visit his father at the camp. The trip becomes something of an odyssey for the boy. During the journey he stays a little while with a dedicated Black schoolteacher.
-1
An ex con teams up with federal agents to help them with breaking up a moonshine ring.
-1
A spoof of the entire 1940s detective genre. San Francisco private detective, Lou Pekinpaugh is accused of murdering his partner at the instigation of his mistress—his partner's wife.
0
A pair of men try to perform the dangerous "triple" in their trapeze act. Problems arise when the duo is made into a trio following the addition of a sexy female performer.
-1
Donne e soldati was an example of a ‘decentralised’ production, far from Rome, something that for the most part Italian cinema didn’t fully succeed in achieving until the 1990s. . In many ways the film, which is both Picaresque and anti-heroic, was too far ahead of its time, and it is often considered the precursor to Monicelli’s L’armata brancaleone. This time out, Ferreri takes the reins as producer of the ill-fated undertaking (the two directors will never make another film); however, Donne e soldati, apart from marking Ferreri’s estrangement from Italian cinema for a number of years, today appears to display earthy and carnivalesque elements that will subsequently influence certain aspects of the Milanese director’s vision.
0
A husband is humiliated at home and at work. He decides he has had enough of it and hires a prostitute to help him get back at his boss, wife and friends and get a lot richer in the process.
3
Animalympics is all about the Animal Olympics Contest where all the animals around the world gather to take part in everything from skiing in North America to the very long marathon race in humid conditions.
-1
Five doctors go camping in the remote woods of Northern Ontario. When their boots are stolen they begin to suspect they are being stalked.
-2
A 30-year-old man, who has been in a coma since birth, is finally restored to consciousness by a breakthrough brain operation. Although physically an adult, the man is "reborn" in the eye of an infant; the doctors caring for him must teach him to walk, talk and prepare for life in the outside world. Tension builds as he escapes from the hospital, wanders among people who do not realize his identity, and is hunted by the police.
1
Quiet, withdrawn 13-year-old Rynn Jacobs lives peacefully in her home in a New England beach town. Whenever the prying landlady inquires after Rynn's father, she politely claims that he's in the city on business. But when the landlady's creepy and increasingly persistent son, Frank, won't leave Rynn alone, she teams up with kindly neighbor boy Mario to maintain the dark family secret that she's been keeping to herself.
1
The female survivor of a shipwreck and two Coast Guard helicopter pilots sent to rescue her find themselves trapped in a mysterious part of the ocean known as Satan's Triangle.
-2
The Donna Reed Show is an American situation comedy starring Donna Reed as the upper-middle-class housewife Donna Stone. Carl Betz co-stars as her pediatrician husband Dr. Alex Stone, and Shelley Fabares and Paul Petersen as their teenage children, Mary and Jeff. The show originally aired on ABC from September 24, 1958 to March 19, 1966. When Fabares left the show in 1963, Petersen's little sister, Patty Petersen, joined the cast as adopted daughter Trisha. Patty Petersen had first appeared in the episode, "A Way of Her Own", on January 31, 1963.

Bob Crane and Ann McCrea appeared in the last seasons as the Kelseys, friends of the Stones, and Darryl Richard became a near regular as Smitty, Jeff's best buddy. The show featured a variety of celebrity guests including Esther Williams as a famous dress designer, baseball superstars Don Drysdale and Willie Mays as themselves, teen heartthrob James Darren as a pop singer with the measles, canine superstar Lassie as herself, and young Jay North of CBS's Dennis the Menace.

The series was created by William S. Roberts and developed by Reed and her then husband, producer Tony Owen. Episodes revolved around typical family problems of the period such as firing a clumsy housekeeper, throwing a retirement bash for a colleague, and finding quality time away from the children. Edgy themes such as women's rights and freedom of the press were occasionally explored.
1
In a changing world a young Italian enrols at Oxford and finds i is him they are out to change.
0
Phony backwoods preacher Amos T. Huxley stays in a small North Carolina town long enough to fleece his congregation, swindle the profits from a moonshine still, and seduce dumb blonde Mary Lou. Mary Lou's ex-boyfriend becomes suspicious of the preacher and gets the local police to investigate his actions.
-4
Seven-year-olds Michael and Rachel are best friends who do everything together and who have vowed to remain friends "forever and ever and can't be parted for never and never".  Unfortunately, the society that Michael and Rachel live in is one of religious intolerance. The fact that Michael is Irish Catholic and Rachel is Jewish is a point of conflict for just about everyone in the community.
-2
A life-long criminal continues his practice of breaking out of Oregon State Prison - much to the frustration of the police.
-4
Kronos, hero of a distant galaxy, tangles with mad scientist Gulik over the fate of mankind.
-1
Faustus is a scholar at the University of Wittenberg when he earns his doctorate degree. His insatiable appetite for knowledge and power leads him to employ necromancy to conjure Mephistopheles out of hell. He bargains away his soul to Lucifer in exchange for living 24 years during which Mephistopheles will be his slave. Faustus signs the pact in his own blood and Mephistopheles reveals the works of the devil to Faustus.
-1
The lives and loves of three young working class women, set in the pubs, terraced houses and factories of Battersea, South London.
1
Harry is a barely functional human. He meets an old friend who is having marital problems as Harry is about to leap off of a bridge. His friend decides that Harry is the man to take his wife away from him so that Milt can be with his girlfriend. Ellen and Harry have an instant attraction and in a short while Harry is wearing Milt's suits and Milt is free. But, Ellen soon discovers that Harry is the world's worst roommate.
0
Redd Foxx isn’t done scheming and wise-cracking in the spin-off to one of America's most beloved sitcoms.
1
A cameraman is knocked over during a football game. His brother-in-law, as the king of the ambulance-chasing lawyers, starts a suit while he's still knocked out. The cameraman is against it until he hears that his ex-wife will be coming to see him. He pretends to be injured to get her back, but also sees what the strain is doing to the football player who injured him.
-2
A political filmmaker finds himself in Long Island for a weekend where he finds himself entangled with a high-living, jet set crowd. At first it is exciting, but soon he finds himself disillusioned by their shallowness.
0
A small-town district attorney is saddled with several major investigations, including a gambler's murder and a possible insurance scam.
-2
The daughter of a British prison governor returns from an American finishing school, and chases after the inmates of her Dad's prison.
-2
Chief Inspector Jacques Clouseau is dead. At least that is what the world—and Charles Dreyfus—believe when a dead body is discovered in Clouseau's car after being shot off the road. Naturally, Clouseau knows differently and, taking advantage of not being alive, sets out to discover why an attempt was made on his life.
-1
After a shoot-out kills five FBI agents in Kansas City the Bureau target John Dillinger as one of the men to hunt down. Waiting for him to break Federal law they sort out several other mobsters, while Dillinger's bank robbing exploits make him something of a folk hero. Escaping from jail he finds Pretty Boy Floyd and Baby Face Nelson have joined the gang and pretty soon he is Public Enemy Number One. Now the G-men really are after him.
-2
Marseille. Heaps of flowers and funeral wreaths... "A man who no longer defends his colors is no longer a man."
0
In the Olden Tymes, Count Regula is drawn and quartered for killing twelve virgins in his dungeon torture chamber. Thirty-five years later, he comes back to seek revenge on the daughter of his intended thirteenth victim and the son of his prosecutor in order to attain immortal life.
-4
After the success of the  live 1957 Cinderella on CBS (with Julie Andrews), the network decided to produce another television version. The new script hewed closer to the traditional tale, although nearly all of the original songs were retained and performed in their original settings. Added to the Rogers and Hammerstein score was "Loneliness of Evening", which had been composed for South Pacific but not used.
0
Disgusted with the policies of King Charles I, Oliver Cromwell plans to take his family to the New World. But on the eve of their departure, Cromwell is drawn into the tangled web of religion and politics that will result in the English Civil War.
-2
An American actress inherits a castle in Transylvania. What she doesn't know is that her ancestor, the Baroness Catali, was in actuality a vampire countess, and emerges from her tomb to ravage the nearby village and Catholic seminary.
-1
A group of martial artists seek revenge after being crippled by Tu Tin-To, a martial arts master, and his son.
-1
A junkie must face his true self to kick his drug addiction.
0
The first manned flight to Mars returns after having been out of communications since it had arrived on Mars. What would it reveal?
-2
Einar, brutal son of Ragnar and future heir to his throne, tangles with Eric, a wily slave, for the hand of a beautiful English maiden.
-3
In New Mexico, a Confederate veteran returns home to find his fiancée married to a Union soldier, his Yankee neighbors rallied against him and his property sold by the local banker who then hires a gunman to kill him.
-1
Julie, an American on vacation in Mexico, spots a giant, one-eyed amoeba rising from the ocean, but when she tries to tell the authorities, no one believes her. She finally teams up with a marine biologist in an attempt to destroy it.
-1
Bruce Brown's The Endless Summer is one of the first and most influential surf movies of all time. The film documents American surfers Mike Hynson and Robert August as they travel the world during California’s winter (which, back in 1965 was off-season for surfing) in search of the perfect wave and ultimately, an endless summer.
2
When Joe Valachi has a price put on his head by Don Vito Genovese, he must take desperate steps to protect himself while in prison. An unsuccessful attempt to slit his throat puts him over the edge to break the sacred code of silence.
-3
Tony Franciosa plays a detective who's on the trail of a murderer whose mutilated and predominantly male victims are found encased in silken cocoons...
-1
Adapted from a story by Truman Capote ("In Cold Blood"), the world of the prison convict is open to the viewer. As the story develops, one thing becomes clear. As in the outside world, there is a "system"; and just as on the outside, there is accommodation, honesty, cynicism, violence and all the other factors that make up our society. The film follows the three newcomers, it records the grim, terrifying, sometimes fascinating events that occur.
-1
The Adventures of Ozzie and Harriet is an American sitcom, airing on ABC from October 3, 1952 through March 26, 1966, starring the real life Nelson family. After a long run on radio, the show was brought to television where it continued its success, running on both radio and television for a few years. The series stars Ozzie Nelson and his wife, singer Harriet Nelson, and their young sons, David and Eric "Ricky" Nelson. Don DeFore had a recurring role as the Nelsons' friendly neighbor "Thorny".
1
A dramatization of the famous 1893 Massachusetts trial of the woman accused of murdering her father and stepmother with an ax.
0
A cashier poses as a writer for blacklisted talents to submit their work through, but the injustice around him pushes him to take a stand.
1
Film adaptation of the George Abbott Broadway musical about a Washington Senators fan who makes a pact with the Devil to help his baseball team win the league pennant.
0
Jack Beauregard, an ageing gunman of the Old West, only wants to retire in peace and move to Europe. But a young gunfighter, known as "Nobody", who idolizes Beauregard, wants him to go out in a blaze of glory. So he arranges for Jack to face the 150-man gang known as The Wild Bunch and earn his place in history.
1
A former prostitute works to create a new life for herself in a small town, but a shocking discovery could threaten everything.
-1
A hoodlum (Corey Allen) plots to seduce a lonely housewife (Kate Manx) and turn her over to his virginal friend (Warren Oates).
-2
A young sailor falls in love with a mysterious woman performing as a mermaid on the local pier. As they become entwined, he comes to suspect the woman might be a real mermaid who lures men to a watery death during the full moon.
-4
Teenagers stumble across a prehistoric caveman, who goes on a rampage.
-2
A cancer researcher on a remote Caribbean island discovers that by treating the natives with snake venom he can turn them into bug-eyed zombies. Uninterested in this information, the unfortunate man is forced by his evil employer to create an army of the creatures in order to conquer the world.
-5
A gang of teenage delinquents terrorize a small community by stealing cars and stripping them for parts, then selling the parts to a crooked junkyard owner. The police and an insurance company investigator set out to break up the gang.
-6
Rome, Italy. After committing a heinous crime, a senior police officer exposes evidence incriminating him because his moral commitment prevents him from circumventing the law and the social order it protects.
-1
It so happens that peaceful kindergarten teacher is incredibly similar to the terrible villain who stole the helmet of Alexander the Great. And villain's accomplices are unexpectedly similar to children - they also need love and care.
1
Colonel Pete Moore (Glenn Ford) is commander of the Whitney Radar Test Group, which has been experiencing electrical difficulties aboard its aircraft. To ferret out the problem, he sends a four-man crew on Flight 412. Shortly into the test, the jet picks up three blips on radar, and subsequently, two fighters scramble and mysteriously disappear. At this point, Flight 412 is monitored and forced to land by Digger Control, a top-level, military intelligence group that debunks UFO information. The intrepid colonel, kept in the dark about his crew, decides to investigate the matter himself.
-4
A biopic of Martin Luther, covering his life between 1505 and 1530, and the birth of the Protestant Reformation movement.
0
A surgeon transplants the heart of an ape into his ailing son with horrific results.
-2
A groups of astronauts crash-land on Venus and find themselves on the wrong side of a group of Venusian women when they kill a monster that is worshipped by them.
-3
The story of British serial killer John Christie, who committed most or all of his crimes in the titular terraced house, and the miscarriage of justice involving Timothy Evans.
-2
A young boxer joins a martial arts school to increase his skill so he can enter a martial arts competition. He leaves the school when he hears that a local gangster is terrorizing the town. He comes to the aid of a young singer and brings on the wrath of the local gang. He eventually enters the martial arts competition after learning iron palm technique and takes out all competition.
-1
Large star shaped aliens travel to earth in hopes of warning them about an oncoming catastrophe. To prevent panic about their appearance, one alien takes the form of a popular singer.
-2
The 15th solar system is invaded by the Stressos. Two men, Ryû and Ayato, and a man-ape, Baru, organize the resistance. They are helped by Eolia, a mysterious woman traveling on a three masted space ship.
-1
A nuclear explosion in the far north unleashes Gamera, the legendary flying turtle, from his sleep under the ice. In his search for energy, Gamera wreaks havoc over the entire world, and it's up to the scientists, assisted by a young boy with a strange sympathic link to the monster, to put a stop to Gamera's rampage.
-4
The Big Valley is an American western television series which ran on ABC from September 15, 1965, to May 19, 1969. The show stars Barbara Stanwyck, as the widow of a wealthy nineteenth century California rancher. It was created by A.I. Bezzerides and Louis F. Edelman, and produced by Levy-Gardner-Laven for Four Star Television.
1
When an African-American biker gang is tricked into believing that a white biker gang is planning a war, all hell breaks loose.
-4
Nester Patou, a naive police officer, is transferred to the red light district in Paris and organizes a raid on a dodgy hotel running as a brothel. In doing so he inadvertently disrupts the corrupt system of the police and the pimps union, and even nets his station superior. Fired from his job, Nester goes to the local bar for a drink and befriends a pretty young lady named Irma la Douce. Upon realizing she is a prostitute, Nester invents a crazy scheme to keep her from seeing other men.
-1
The Peanuts gang, including Snoopy and Woodstock, have gone off to summer camp. After a few days of the usual summer-camp activities, they all take part in a rafting race. Battling treacherous rapids, wild animals and bullies from a rival tent, the teams make their way downriver to the finish line.
-3
Marshal Chris Adams turns down a friend's request to help stop the depredations of a gang of Mexican bandits. When his wife is killed by bank robbers and his friend is killed capturing the last thief, Chris feels obligated to take up his friend's cause and recruits a writer and five prisoners to destroy the desperadoes.The last in the original series of four "Magnificent Seven" movies.
-3
Air Force reservist Lt. Col. Robert (Dutch) Holland is recalled into active duty at the peak of his baseball career.
0
Blake Washburn blames manufacturer MacFarland for his defeat in the race for re-election to the state legislature. He takes over his uncle's newspaper to take on big business as an enemy of the people. Miss Martin works in the "Herald" newspaper office. When tragedy strikes, Blake must re-examine his views.
-3
Harichandra (Tamil: ஹரிச்சந்திரா) is a 1968 Indian Tamil film, directed by K. S. Prakash Rao and produced by G. Varalakshmi. The film stars Sivaji Ganesan, G. Varalakshmi, T. S. Balaiah and K. A. Thangavelu in lead roles. The film had musical score by K. V. Mahadevan
1
A student researching the German settlements of Central Texas unearths the grave of a reputed witch. The witch (who happens to be both beautiful and naked) rises from her grave and embarks on a campaign of seduction and murder against the descendants of her persecutors. It's up to the student to stop her bloody reign of terror-if he can resist the seductive powers of her evil beauty.
-1
A mostly-deserted island, which is believed to be the home to the fountain of youth, is off the coast of Florida. The island gets some visitors in the form of a teenage boy band, "the Wild Ones", and their gang of swimsuit-clad young people, who head there in a crowded powerboat ostensibly for a scavenger hunt.
-2
After a tied 1st place in a local stunt race, two drivers start a contest to decide who of them will own the prize, a dune buggy. But when a mobster destroys the car, they are determined to get it back.
-2
The Westerner is an American Western series that aired on NBC from September to December 1960. Created by Sam Peckinpah, the series was produced by Four Star Television. The Westerner stars Brian Keith as Dave Blassingame and features John Dehner as semi-regular Burgundy Smith.
0
An Iowa pajama factory worker falls in love with an affable superintendent who had been hired by the factory's boss to help oppose the workers' demand for a pay raise.
0
West and soda is a 1965 traditionally-animated Italian feature film directed by Bruno Bozzetto. It is a parody of the traditional American Western.
-1
A vampire awakens from a long sleep to attack a couple making love in a graveyard. He then rapes the woman, who later gives birth to his son. The newborn infant will only drink blood from his mother's breast.
-1
Convicts on a chain gang sniff formaldehyde fumes to get high. They attempt a prison break and are shot down by the guards. After being buried, they rise from the dead, killing all in their path with shovels and hoes.
-5
Two brothers, one wanted for murder, are shipwrecked on an island inhabited by nubile young women who have amassed a valuable cache of pearls.
0
After his girlfriend dies in childbirth, Confederate deserter John Warner travels to Mexico, where the woman's father, Don Pedro Sandoval, grudgingly hands over his child. But with no locals willing to provide milk, the baby dies. Rounding up a group of rebels, Warner goes on a rampage through northern Mexico, with the ultimate goal of taking down Sandoval in this gritty Western.
-2
A scientist comes to believe that evil is a disease of the blood and that the flesh of a skeleton he has brought back from New Guinea contains it in a pure form. Convinced that his wife, a Folies Bergere dancer who went insane, manifested this evil he is terrified that it will be passed on to their daughter. He tries to use the skeleton's blood to immunise her against this eventuality, but his attempt has anything but the desired result.
-2
Two young boys sneak aboard a spaceship and find themselves whisked away to the mysterious planet Terra. There, they encounter Gamera's old foe Gyaos and two female aliens with a taste for human brains. Gamera must save the children and battle the new monster Guiron, whose entire body is a deadly living weapon.
-5
Roy and Gilbert's fishing trip takes a terrifying turn when the hitchhiker they pick up turns out to be a sociopath on the run from the law. He's killed before, and he lets the two know that as soon as they're no longer useful, he'll kill again. The two friends plot an escape, but the hitchhiker's peculiar physical affliction, an eye that never closes even when he sleeps, makes it impossible for them to tell when they can make a break for it.
-6
Marshal Wyatt Earp kills a couple of men of the Clanton-gang in a fight. In revenge Clanton's thugs kill the marshal's brother. Thus, Wyatt Earp starts to chase the killers together with his friend Doc Holliday.
-5
A scientist doing experiments on a human fetus discovers a method to accelerate the fetus into a mature adult in just a few days.
1
After a group of young revolutionaries break into a company's corporate headquarters and steal $5,000,000 worth of heroin to keep it off the street, they call on San Francisco Police Lieutenant Virgil Tibbs for assistance.
0
A young woman arrives in San Francisco's Chinatown from Hong Kong with the intention of marrying a rakish nightclub owner, unaware he is involved with one of his singers.
0
Satan saves Joseph Ashley from death on the condition that he become his disciple (and, as it turns out, a hairy murderous beast).
-2
Join Gallagher for his first TV special from 1980, complete with candy bar treats and a Sledge-O-Matic routine for which the audience was ill prepared.
0
Aparajito picks up where the first film leaves off, with Apu and his family having moved away from the country to live in the bustling holy city of Varanasi (then known as Benares). As Apu progresses from wide-eyed child to intellectually curious teenager, eventually studying in Kolkata, we witness his academic and moral education, as well as the growing complexity of his relationship with his mother. This tenderly expressive, often heart-wrenching film, which won three top prizes at the Venice Film Festival, including the Golden Lion, not only extends but also spiritually deepens the tale of Apu.
8
An ex-major forces a scientist to develop a invisibility formula, with which he plans to create an invisible army and sell it to the highest bidder. However there are side effects to the formula.
-1
An American commando who's the sole survivor of a parachute jump into WWII-era Italy leads a group of children in a campaign of sabotage against the Nazis.
1
Career criminals and a local youth carefully plan and rehearse the robbery of a Missouri bank.
-1
Jimmy Bondi and his miracle beetle Dudu are on their way to Portugal by sea. In the Algarve, they are witness to a dispute in which ex-inmate Plato and the attractive Tamara have to do with Marchese de la Sotta and his henchmen.
1
Gamera escapes from his rocket enclosure and makes his way back to Earth as a giant opal from New Guinea is brought back to Japan. The opal is discovered to have been an egg that births a new monster called Barugon. The creature attacks the city of Osaka by emitting a destructive rainbow ray from his back, along with a freezing spray capable of incapacitating Gamera.
-3
Yancy Derringer is an American Western series
0
Unusual volcanic activity in Japan awakens Gyaos, a bloodthirsty flying monster with the power to slice things in half with an ultrasonic ray. While scientists and the military scramble to devise a way to stop this new threat, a young boy forms an alliance with Gamera; a monster no one else seems to trust.
-5
Margaret is a nurse in England during WW2, and married to a secret agent. Things get complicated when she falls for David, an American pilot.
-2
Two former nightclub partners are now enlisted in the Army. Sergeant Puccinelli ranks above his former partner, Private First Class Korwin. Puccinelli is desperately trying to get transferred from his dull job to active duty overseas. Meanwhile, all Korwin wants is a pass to see his wife and new baby.
-2
A rich but unscrupulous old woman plots with a scientist to have her brain implanted in the skull of a sexy young woman.
0
Anita is the new girl at school. When Steve gets one look at the voluptuous transfer, it sets his girlfriend Donna into a tailspin and she'll stop at nothing to make sure these two never unite.
0
A dialogue free Romanian science-fiction spy-comedy that draws upon farce, satire and surrealism as it subversively deconstructs the spy thriller with the protagonist's accidental discovery of a nuclear suitcase bomb and the subsequent fight over ownership between the rival powers of the criminals and the military.
-5
Oliver is in trouble. He's been caught embezzling money from his father's company, and unless he can pay back the $250,000 he took (which he can't), he will be fired from his job, arrested and probably sent to jail. Meanwhile, his rich wife has not only refused to bail him out of this mess, she's planning to divorce him. Desperate, Oliver thinks up a way out. He takes out an insurance policy on his wife with him as the beneficiary, then hires a hit man to kill her. The only problem is that because the doctor who performed the examination is an incompetent fraud, the insurance policy is invalid. Desperate to call off the hit, Oliver tracks down the hit man, only to find that he's subcontracted the killing to another hit man. Tracking down that killer reveals that he, too, has hired it out to a third person, and so on, and so on. Just how many people are trying to kill Oliver's wife?
-11
When Norwegian resistance leader Lieutenant Erik Bergman reports the location of a German V-2 rocket fuel plant, the Royal Air Force's 633 Squadron is assigned the mission to destroy it. The plant is in a seemingly-impregnable location beneath an overhanging cliff at the end of a long, narrow fjord lined with anti-aircraft guns. The only way to destroy the plant is by collapsing the cliff on top of it.
-2
As a massive alien craft heads to Earth to do evil, three good and powerful superwomen befriend a young boy who has a special connection to Gamera.  The alien Zanon launches a battery of familiar foes against Gamera, who might have to give the ultimate sacrifice to defeat the alien invader.
0
A small southern town has just been rocked by a tragedy: a young woman has been violently raped. The white town fathers immediately declare that the attacker had to be black, and place the blame on Garth, a young black man. Assuming that the men in white sheets aren't intent on holding a fair and impartial trial, Garth takes to the woods as the Klansmen lynching party hunts him down.
-2
An Italian laborer foils anyone who tries to stop him from selling espresso on the Milan-to-Naples night train.
0
Don Gregor, the son of famous plastic surgeon Dr. Boris Gregor, begins to hang around with young criminal Vic Brady and carry a gun. The pair attempt an armed holdup, and when things start to go wrong Gregor accidentally kills a night watchman. Fearing that Gregor plans to turn himself in, Brady kills him and blackmails Dr. Gregor into giving him a new face.
-5
The movie centers on a piano competition whose winner is assured of success. It is Paul's last chance to compete, but newcomer Heidi may be a better pianist. Can romance be far away? Will she take a dive despite the pressure to win from her teacher, Greta, or will she condemn Paul to obscurity?
2
Historical depiction of the events preceding the political murder of Archduke Franz Ferdinand, would-be emperor of the Austro-Hungarian throne, in Sarajevo, June 28, 1914. A World War would start there, that some claim has not yet ended - merely changed fighting grounds once in a while
-1
When a nobleman is threatened by a family curse on his newly inherited estate, detective Sherlock Holmes is hired to investigate.
-1
A bush pilot is hired for $250,000 to go to Mexico to free an innocent prisoner.
0
The head of a major cosmetics company experiments on herself with a youth formula made from royal jelly extracted from wasps, but the formula's side effects have deadly consequences.
-1
A refugee Soviet scientist arrives at a desert airport carrying secret documents, but is attacked by a pair of KGB assassins  and escapes into the desert, where he comes in range of an American nuclear test and is transformed into a mindless killing beast.
-5
A moon base is destroyed by a spaceship from Zigra which is looking to take over the planet earth to use its oceans for its ocean-dwelling denizens. Gamera must once again come to the aid of the human race while all of Japan roots him on.
0
A newly appointed cemetery chairman believes that, merely by inserting a black plot-marking pin into a wall-sized map of the cemetery, he can cause the deaths of that plot's owner.
-2
A futuristic underwater sea-lab is having problems with a UFO that's parked between them and a nearby deep ocean trench. As they investigate, they attract the unwanted attention of a dangerous creature who puts the scientists and crew in danger.
-3
When two boys are killed and two girls are blinded for life in a tragic accident, Buford Pusser, the town sheriff, is determined to get revenge. Though he must bend the law, Pusser is resolved to get the bootleg booze and dope king of the county who provided the poisoned moonshine that caused the accident. Based on a Real-Life Story (i.e. another version of Walking Tall (1973)).
-4
A posse pursues Pardon Chato (Charles Bronson) a mestizo indian after he killed a US marshal in self-defense. As they get deeper into Indian territory, just who is hunting who.
0
A peace-loving man named Ben Kane takes a job as deputy marshal of Lords, in the old West. Kane is no lawman, but he accepts the badge because he has an old score to settle with the town's chief trouble-maker. Once on the job, Kane must also deal with a young sharpshooter named Billy Young and a sharp and sassy saloon dancer, Lily.
1
After escaping home, three young friends form a dynamic alliance of untamed youth. They meet an old man named Spikes with the experience only a master gunfighter can offer. The gang of men go on a crime spree and are converted to outlaws with a price on their heads.
0
Brought back to life by his grandson, a diabolical scientist with an unquenchable thirst for blood goes on a rampage.  A revision of the Mexican horror film LA MARCA DEL MUERTE, considerably edited and with 20 minutes of new American-made footage.
-3
In 1883, the Apache Indians lead by Geronimo reluctantly surrender to the attacks of American and Mexican troops, in exchange for a territory and food for their warriors. Soon though, Geronimo escapes the camps and declares war against the Americans.
-2
A warrior returning home to his country must battle giant bats, three-headed dogs and a vicious dragon to save his wife, and his people, from the machinations of an evil ruler.
-2
A test rocket carrying wasps to outer space,  to study the effects on them of weightlessness and radiations, crashes out of control back to Earth, into the jungles of Africa.  The two astrobiologists in charge of the test mount an expedition to the Darkest Continent to retrieve their experiment, only to find the wasps have grown to giant size which are panicking all forms of life as they quest for food.
-2
The Earnshaws are Yorkshire farmers during the early 19th Century. One day, Mr. Earnshaw returns from a trip to the city, bringing with him a ragged little boy called Heathcliff. Earnshaw's son, Hindley, resents the child, but Heathcliff becomes companion and soulmate to Hindley's sister, Catherine. After her parents die, Cathy and Heathcliff grow up wild and free on the Moors and despite the continued enmity between Hindley and Heathcliff they're happy-- until Cathy meets Edgar Linton, the son of a wealthy neighbor. Written by Marg Baskin
-1
Based on Joni Eareckson's autobiography. She becomes paralyzed after breaking her neck in a swimming accident at age 17. Trying to cope with her new life, she learns to paint using her mouth.
-2
An American gunslinger kills a Mexican man in California immediately after the Mexican-American war. The killer is arrested and put on trial for murder with the Hispanic population waiting to learn of American justice.
-3
Blockbusters is an American game show which had two separate runs in the 1980s. Created by Steve Ryan for Mark Goodson Productions, the first series debuted on NBC on October 27, 1980 and aired until April 23, 1982. In the first series, a team of two family members competed against a solo contestant. Blockbusters was revived on NBC from January 5 to May 1, 1987, but featured only two contestants competing.

Bill Cullen hosted the 1980–1982 version, with Bob Hilton as announcer. Johnny Olson and Rich Jeffries substituted for Hilton on occasion, with Jeffries taking over for the final two weeks. Bill Rafferty hosted the 1987 version, with Jeffries announcing the entire run.
3
Jack Crabb, looking back from extreme old age, tells of his life being raised by Indians and fighting with General Custer.
0
In the southern town, a gang of "currency traders" is operating, led by the Chief and his assistant Kozodoyev. A modest Soviet clerk and an exemplary family man Semyon Semyonovich Gorbunkov goes on a foreign cruise on a motor ship, on which Kozodoyev also sailed, who must pick up diamonds in one of the eastern cities and transport them in a plaster hand. But due to a misunderstanding, instead of a swindler, an unsuspecting Gorbunkov falls in the appointed place, and a precious plaster is imposed on him. That's where it all starts...
1
While traveling home from Vegas, an amorous lounge singer named Dino gets conned by a local mechanic/songwriter into staying in town for the night. The mechanic's songwriting partner, Orville, offers Dino his home for overnight lodging and enlists a local waitress/call girl to pose as his wife in order to placate Dino's urges.
0
Boozy, brassy Apple Annie, a beggar with a basket of apples, is as much a part of downtown New York as old Broadway itself. Bootlegger Dave the Dude is a sucker for her apples -- he thinks they bring him luck. But Dave and girlfriend Queenie Martin need a lot more than luck when it turns out that Annie is in a jam and only they can help: Annie's daughter Louise, who has lived all her life in a Spanish convent, is coming to America with a Count and his son. The count's son wants to marry Louise, who thinks her mother is part of New York society. It's up to Dave and Queenie and their cronies to turn Annie into a lady and convince the Count and his son that they are hobnobbing with New York's elite.
0
Young Sister Bertrille uses her ability to become airborne to help others, whether they want it or not. Although her aims are always benevolent, her means are often bemoaned by Mother Superior. The other Sisters must cope with their beloved Sister's aerodynamics and antics as she flies in and out of trouble.
2
Abner Hale, a rigid and humorless New England missionary, marries the beautiful Jerusha Bromley and takes her to the exotic island kingdom of Hawaii, intent on converting the natives. But the clash between the two cultures is too great and instead of understanding there comes tragedy.
0
A psychopathic killer terrorizes a babysitter, then returns seven years later to menace her again.
-2
As alien invaders plot to conquer the Earth, two Boy Scouts steal a mini-submarine and discover Gamera in their midst. Transported to the alien's spaceship, the Scouts are menaced by the evil inhabitants, including Viras, a squid-like monster that grows to colossal size to battle Gamera.
-5
Unrepentant Tennessee moonshine runner Luke Doolin (Robert Mitchum) makes dangerous high-speed deliveries for his liquor-producing father, Vernon (Trevor Bardette), but won't let his younger brother Robin (James Mitchum) join the family business. Under pressure from both out-of-town gangster Kogan (Jacques Aubuchon), who wants a piece of the local action, and Treasury agent Barrett (Gene Barry), who wants to destroy the moonshine business, Luke fights for his fast-fading way of life.
-3
The heir to an oil fortune trades places with a water-ski instructor at a Florida hotel to see if girls will like him for himself, rather than his father's money.
2
A successful and popular nightclub owner who believes financial independence is the path to equality and success, must act as a go-between for militant-minded brother and the white gang syndicate his brother has attacked and robbed. Their involvements lead to a breathless race course chase, the destruction of a dopepusher and a violent waterfront climax.
2
A telephone operator ends up drunk and at the mercy of a cad in his apartment. The next morning she wakes up with a hangover and the terrible fear she may be a murderess.
-2
When a giant stone statue on Wester Island is disturbed, the legendary monster Jiger appears and heads for Japan. Gamera tries to stop this new rival, only to be injured when Jiger lays eggs inside of him. As two boys in a submarine go on a dangerous quest inside of Gamera's body to save him, Jiger threatens the Expo '70 world's fair in Osaka.
-2
A lightning bolt strikes the grave of Bruce Lee. However, that is as much as Bruce Lee has to do with it. Then a kung fu instructor starts a quest to avenge a friend's death, and on the way has a romance with a girl with similar problems. He eventually finds the bad guys behind it all, and has several fights with them...
-5
The passengers and crew of a boat on a summer cruise in the Caribbean stray into the famed Bermuda Triangle and mysterious things start happening.
0
Kathy leaves the newspaper business to marry homicide detective Bill, but is frustrated by his lack of ambition and the banality of life in the suburbs. Her drive to advance Bill's career soon takes her down a dangerous path.
-3
A sexually repressed school teacher releases her pent up passions in a series of shocking crimes.
-1
Shaolin practitioners and brothers Wu and Hung kill the merciless Pai Mei. However, Pai Mei's even more merciless brother White Lotus takes revenge; killing most of the Shaolin disciples, including Wu and Hung's girlfriend, leaving only Wu's pregnant wife and Hung as the only remaining practitioners of Shaolin left to avenge the deaths. But Hung's kung-fu will not be powerful enough so he must learn feminine kung-fu techniques to help him try and defeat White Lotus.
-8
a deputy U.S. Marshall pursue the gang of Ben Thompson after the murder of another marshall. Along with a bounty hunter and a half-breed woman they follow the trail into Apache territory.
-1
Zenobia, Queen of Palmira, revolts against Rome and defeats the Roman troops, but she makes a big mistake when she falls in love with enemy officer Marco Valerio.
-2
In 1960, a pilot testing an experimental rocket powered aircraft accidentally flies into the future and finds himself in a sealed city whose people suspect he is a spy from outside their walls, but who want to keep him to procreate with the ruler's daughter because the majority of the inhabitants are sterile.
-1
A small-town shoemaker with a knack for spinning yarns, Hans encounters happiness and heartbreak on his road to becoming a full-fledged writer.
1
The fake private detective Mike Spillone is hired by two old ladies to find out if Brigitte, the wife of their nephew Otello Bellomo, has a lover. Brigitte is a physician but the two aunts are unaware of the fact. While investigating, Mike and his assistant Johnny discover Brigitte with a prospective patient, the marquis De Vitti who was shot by the husband of the woman he tried to seduce. Afterwards Spillone finds her with her husband who he believes to be her lover.
2
Having fled to Mexico from the U.S. many years ago for killing his father's murderer, Martin Brady travels to Texas to broker an arms deal for his Mexican boss, strongman Governor Cipriano Castro. Brady breaks a leg and while recuperating in Texas the gun shipment is stolen. Complicating matters further the wife of local army major Colton has designs on him, and the local Texas Ranger captain makes him a generous offer to come back to the states and join his outfit. After killing a man in self defense, Brady slips back over the border and confronts Castro who is not only unhappy that Brady has lost his gun shipment but is about to join forces with Colton to battle the local raiding Apache Indians.
-6
Biopic about Napoleon's sister Paulette.
0
A smart-mouthed junkie and a former hairdresser spends his days looking for just "one more fix".
0
The uneventful lives of three young men who live in a small, poverty-stricken village in southern Italy.
-1
An American drifter comes to a remote Polynesian island controlled by a Puritanical missionary and turns the social life of the island upside-down.
0
A tough-guy cop pursues two drug runners across the city to bust a large syndicate.  Very much an anti-hero, Mitchell often ignores the orders of his superiors and demonstrates disdain for by-the-book development work as well as normal social graces.
2
Director Paul Morrissey applies a hefty dose of humor to Sir Arthur Conan Doyle's classic detective story in this interpretation of The Hound of the Baskervilles. Comedian Peter Cook takes on the role of brilliant detective Sherlock Holmes, who's not so gifted here as he relegates much of the investigation of demonic dogs to his bumbling sidekick, Watson (Dudley Moore), while he spends time with his mother and searches for an assistant.
2
When her boyfriend is brutally murdered, after refusing to be shaken down by the local gangsters running their protection racket, Sugar Hill, decides not to get mad, but BAD! Calling upon the help of aged voodoo queen Mama Maitresse, Sugar entreats her to call upon Baron Zamedi, the Lord of the Dead, for help in gaining a gruesome revenge. In exchange for her soul, the Dark Master raises up a zombie army to do her bidding. The bad guys who thought they were getting away clean are about to find out that they're DEAD wrong.
-9
After Los Angeles is invaded by an army of subterranean monsters, a small group of people must fight for survival in the deserted metropolis.
0
Some political candidates are determined to win the electors' preference during an election campaign in Italy.
1
The Office of Scientific Investigations tracks down the source of increased magnetism and radioactivity in Los Angeles, and discovers that a man-made isotope is consuming available energy from nearby mass every few hours,  doubling its size in the process.  Although microscopic, it will soon become big enough to destroy Earth; and how to stop it is yet to be determined.  The film's Deltatron special effects footage is taken from the 1934 German sci-fi film GOLD.
2
Branded a coward for abandoning his ship full of 300 passengers, Captain Vijay Pal Singh takes up work in a distant coal mine, poorly equipped, with no sufficient medical supplies or proper facilities. When the miners and their families face a catastrophe, as water has forced its way into one of the mining tunnels, endangering 400 lives, will Vijay be able to rise to the occasion or will he 'abandon ship' again?
0
A painter of morbid art, who becomes a murderous vampire by night and kills young women, attempts a daytime relationship with a woman who resembles a former love and is also the sister of one of his victims.
-2
In July 1942, in the Second World War, the rearguard of the Russian army protects the bridgehead of the Don River against the German army while the retreating Russian troops cross the bridge. While they move back to the Russian territory through the countryside, the soldiers show their companionship, sentiments, fears and heroism to defend their motherland.
-1
Following the discovery of a doomsday machine capable of destroying Earth, the launch of a US space mission to Venus is taken over by the military.
0
In the poor, desolate northern provinces of the mountainous feudal Sunni kingdom of Afghanistan (before the Soviet-engineered republican revolutions), the status of the proud men and their clans is determined less by wealth or even military power (both rare) then by victories in the ancient, though game of buskashi, a vicious form of polo dating back to Genghis Khan, in which the chapendaz (participating horsemen) use their horse-whips on both mounts and rivals in a ruthless fight for a heavy 'ball', a dead calf, which must be carried a long way, almost impossible with all the others mercilessly assailing. Tursen, a former champion, now holds the status of village notable thanks to his position as stable-keeper of the regional lord Osman Bey, and has finally bred a horse without equal, the white stallion Jahil, in time for the royal tournament on the plain of Bagrami, just outside the capital Kabul...
-5
Sundaram, a hotel employee, dreams of becoming an actor. He meets Vijaya, who admires his innocence and sincerity, and falls in love with her. But Raghavan, Sundaram's best friend, hides the fact that he is engaged to Vijaya.
2
Starblack is a hero who dresses in black and his face is covered by a black scarf and he carries in his shirt a black star, which he always leaves at the scene of his enterprises, as a symbol of justice. Soucre: SWDB www.spaghetti-western.net
1
This Italian western comedy has no shooting deaths, but a lot of fistfights. Provvidenza is a bounty hunter. He makes his living solely by catching his dim but powerful friend, the Hurricane Kid (Gregg Palmer) and turning him in for the reward money. A fully armed horseless carriage is one of the inventive elements of this film. One of the film's sillier highlights is an amazingly loud and long belch by the Kid. -From http://www.spaghetti-western.net
1
A motorcycle rebel rescues a woman from his gang and fights an outlaw guru for supremacy.
0
Recently widowed Persian King Ahasuerus wants to marry the beautiful Esther. But Esther is a Jewess, and Haman, the king's evil minister, is spreading hatred against the Jews.
-1
Tarzan goes up against a baddie by the name of Schroeder, who is trapping animals and selling them illegally to zoos. A twist is thrown into the plot when Schroeder's brother, with the help of money-hungry trader Lapin, hunts a different kind of quarry, human game. Now Tarzan must not only fight to save the animals of the jungle, but he must also save himself.  Three episodes of a failed TV series edited for theater release.
-4
A love-struck landlord tries to convince a pretty tanant to dump her fiancé and give him a chance.
0
A retired Texas Ranger and three aged pals help to clean up a town run by a crooked mayor, a drunken judge and a trigger-happy sheriff.
-1
Jimmy desires to be a pirate when one day he discovers a magic bottle on the beach. He makes a wish and suddenly finds himself aboard Blackbeard's ship. Soon he realizes that being a pirate isn't what he expected.
1
An obese woman recently released from an insane asylum kills anyone who attempts to get her to stop eating.
-3
A story spanning two generations, where two lovers are forced to marry against their will, but hold onto memories of their romance. Years later circumstances force them to confront their spouses, their children and each other.
0
DSP Shiv Kumar returns home to his wife Sheetal and their young daughter and announces that he has been transferred to Bombay. Shiv Kumar has two brothers, Vijay and Ravi, who live in Mumbai. They are intelligent and capable guys, but spend their time loafing about the city and swindling unsuspecting people.
1
After years of prospecting, Jonathan finally strikes gold. He returns to town only to discover that his partner has since died and left Tommy fatherless. He decides to leave Shep (played by Lassie) with Tommy to cheer him up. Meanwhile, Jonathan's new partner, Lin, isn't interested in sharing the gold, and lures Jonathan to his death. Lassie immediately deduces what's happened, so Lin poisons Lassie. Lassie barely pulls through and pursues Lin to a climactic confrontation where, due to an off-screen accident with some liquid nitrogen, Lin's gun jams.
-4
A small-time hood is murdered just as he is about to blow the whistle on an organized crime ring.
-2
The venomous and amoral wife of a wealthy architect tries, any way she can, to break up the blossoming romance between her husband and his new mistress; a good-natured young widow who holds a dark past.
-3
Telling the story of his early life in flashback, a former prospector (Joel McCrea, with flashback sequences featuring son Jody) explains his brutal massacre of a tribe of Indians. The only survivor (Marie Gahua) agrees to lead him to a secret gold mine.
1
A prank that starts with a group of college students creating a fictitious person so they can get a credit card develops into a plot that leaves three of them dead.
-3
The Posalaquaglia cousins are two small scammers and make a living of expedients: Dante receives as recognition for Tommaso a bill of one hundred thousand lire from the famous financier Bruscatelli, who ends up in prison immediately afterwards.
0
Country singers on their way to Nashville have car trouble, forcing them to stop at an old haunted mansion. Soon they realize that the house is not only haunted, but is also the headquarters of a ring of international spies after a top secret formula for rocket fuel.
0
Sakata protects a little boy while coping with rival gangs.
-1
An Ottawa police captain searches for the person who poisoned his sister, who was attending the university in Montreal. So desperate is he for revenge that he begin to use his own brutal methods to find the killer. Soon he discovers that not everything is what he thought it was.
-4
French colonists in Africa, several months behind in the news, find themselves at war with their German neighbors. Deciding that they must do their proper duty and fight the Germans, they promptly conscript the local native population. Issuing them boots and rifles, the French attempt to make "proper" soldiers out of the Africans. A young, idealistic French geographer seems to be the only rational person in the town, and he takes over control of the "war" after several bungles on the part of the others.
3
After her prostitute mother and her john are beaten to death while they are asleep in bed, teen-aged Ellie Masters is sent to an isolated orphanage run by a mysterious woman and her handyman, both whom she comes to suspect are hiding dark secrets.
-4
A three-part episode from the TV series Rocky Jones, Space Ranger edited together and released as a feature for 16mm rental only. Season 1 episodes 21, 22, 23.  Episode 21: Rocky saves a space station and his friends when they are trapped between gypsy moons. Episode 22: Cleolanthe tries to destroy one of the gypsy moons with a barrage of missiles. Episode 23: Rocky evacuates the gypsy moon Posetta and stops Cleolanthe's missile barrage.
-5
When a black Civil War veteran becomes co-owner of the southern McMasters ranch, the incensed local Confederate veterans come gunning for him and his Indian wife.
0
Byron Turner, a 15-year-old runaway from the Eatondale Orphan Asylum, receives a ride into the rural Missouri town of Delphi with rich land-owner Tobias Brown.
-1
A rebellious punk of the beat generation spends his days as an amateur dirt track driver in between partying and troublemaking.
-3
Messalina was the Roman noblewoman who inveigled ageing emperor Claudio into marriage. Once ensconced on the throne, Messalina launched a reign of terror that shook the empire to its very foundations. The subject of countless film treatments, Rome's most villified empress is herein played by British actress Belinda Lee.
-1
After Chen Zhen's execution in Shanghai, the Japanese feared that his death would unite all Chinese kung fu schools against them. Fearing this, the Japanese gave orders to the head of the Hong Ku School, Miyamoto (Lo Lieh) to surpass all Chinese schools including the Ching Wu School. When they refuse, the Japanese beat up the students and destroys the school. Meanwhile, one Chinese learns about the destruction of the Ching Wu School when he goes to Shanghai to visit Chen Zhen's grave. This Chinese is the only one who has the guts to fight the Japanese, this Chinese is known as Chen Shen (Bruce Li) who is the brother of Chen Zhen and he vows to avenge his brother's death and end the terror of the Japanese once and for all.
-5
Retired cop and celebrity DJ Tucker Williams (aka The Disco Godfather) takes to the streets as a dangerous hallucinogenic drug called Angel Dust begins to take hold of the neighborhood.
-1
A superhero becomes invisible after he swallows an Indian potion.
-1
Pablo is in love with Dominique, whom he wants to marry. The girl leads them to a cemetery, where she convinces Pablo that should either of them die, the other will return and help them prepare for the afterlife. She leaves Madrid on a vacation in Bretagna, and dies en route. Pablo receives a call the next day. It is Dominique.
1
The story revolves around a North Indian taxi driver, Narsingh, who attempts to reinvent his life by visiting his native place, but instead gets embroiled in a local Marwari businessman's smuggling and human trafficking business.
-1
On its maiden flight, the crew of America's first supersonic transport learns that it may not be able to land, due to an act of sabotage and a deadly flu onboard.
-2
Doctor Gatling invented a war machine to beat all arrows, and guns.
0
Film producer Reggie Wilson is worried he may have a dual personality. Fleeing Hollywood, he finds himself in England and married to the studio boss's daughter after which he quickly rises through the studio ranks. Then the letters begin to appear from a lovesick American actress who wants to know why he has thrown her over.
-2
Sergeant Boyd's police search to find a sniper who has been shooting hookers.
0
A disgraced Confederate Colonel who has deserted his command flees to the Everglades where he encounters a disparate group of four other Southern deserters. Together they struggle to find their way out of the swamp and resolve their own personal demons under the eyes of hostile Seminoles as they battle to survive the elements and each other.
-5
Venkatchalam lives with his sister Indumathi, who hates men and vows to never get married. When Sanjeevi, Venkatchalam's friend, meets Indumathi, he falls in love with her.
-1
A man is framed and sent to the toughest prison in the territory.
0
This martial arts movie tries to explain the strange death of the international movie star and kung fu master Bruce Lee. Most of the story centers on a former disciple of Lee who launches a private investigation and ends up avenging the brutal death of his own girlfriend.
-3
A Spanish army officer, Don Jose (Nero), stationed in Seville, meets and begins a relationship with a mysterious gypsy, Carmen (Aumont). After he discovers she has cheated on him with his Lieutenant, he kills the officer and flees the city with Carmen. He recovers from his wounds and is forced to begin the life of a bandit.
-5
A vicious loan shark ring has been preying on factory workers. When several workers at a tire factory suffer violence at the hands of the loan sharkers, a union leader and the factory owner try to recruit ex-con Joe Gargan to infiltrate to the gang. At first Joe does not want to get involved, but changes his mind when his brother-in-law dies at the hands of a savage loan shark hood. Joe works his way into the mob, but in order to keep his cover, Joe can't tell anyone what he is up to. This results in him being disowned by his sister and girl friend.
-4
When the swindler La Spada and his accomplice José come out of jail in Madrid, they decide to pull a really great swindle: nothing less than to discover and sell a third picture of the famous Goya's Maya. They engage the renowed Scorcelletti who can imitate any picture and who lives in Rome. Afterwards, with the help of the beautiful Eva, they convince the celebrated art critic Francisco Montiel of the existance of a third Maya and let him find the picture. When the swindlers are on the point of selling the faked maya to an American millionaire, Scorcelli comes back from Rome to sell one of his six other maya pictures.
2
To make money, a Los Angeles street-fighter goes to work for gangsters.
0
Two Montana saddletramps head to Nashville to open up a detective agency. At first, the agency begins on a lark but, soon, they get involved in a case involving a kidnapped singer and an intricate blackmail scheme.
0
Sunil and Sonia are attracted to each other, and both get married. On the way to celebrate their honeymoon, they spend a night at Sunil's boss's bungalow, which is occupied by his son, Dhiraj. Dhiraj welcomes the two, and allows them to spend the night. Next morning, when Sunil leaves the house, Dhiraj sexually assaults Sonia, but he is interrupted by Sunil's return. A fight ensues, and Dhiraj is killed. The police arrest Sunil, and he is sentenced to prison for life. On the way to the prison, a fight breaks out amongst the prisoners, and the driver loses control, killing all occupants of the van. Devastated at this turn of events, Sonia relocates and becomes a school-teacher and lives as a widow. Years later, she finds out that Sunil is still alive, now goes by the name ‘Sudhir’, is married to a rich and attractive woman named Chandni, and even has a child.
-5
In London, A man who has amnesia attempts to uncover the truth about his identity. A menacing individual accuses him of betrayal, and soon more pieces of his puzzling past begin to fall in place.
-5
Amazing Grace is a 1974 light comedy featuring black comedienne Moms Mabley as a widow who tries to influence the local mayoral election in Baltimore, Maryland, after she discovers that a black candidate is being used by the incumbent mayor to further his own reelection efforts. Mabley appeared in the film, along with veteran actors Butterfly McQueen and Stepin Fetchit, only a year before her death at the age of 81. The film does not deal with the popular Christian hymn (with words by John Newton) but is a play on Mabley's character, who happens to be named Grace. It has been released on home video.
3
The scene is a small town in the Eastern United States, where the outbreak of hostilities in Korea has a profound effect on several people. WWII veteran Martin Greer wants to re-enlist, much to the dismay of his wife Nancy.
-2
Noorie is a 1979 Hindi movie produced by Yash Chopra, and directed by Manmohan Krishna. Noorie (Poonam Dhillon) lives in the Bhaderwah valleys with her father, Ghulam Nabi (Iftekhar) and her dog Khairoo, she has a boyfriend Yusuf (Farooq Shaikh), they decide to get married, the date is decided and preparations begin. But fate had something else in store. As another villager Bashir Khan (Bharat Kapoor) takes a liking to Noorie and approaches Noorie's father for her hand, to which Ghulam Nabi refuses.
0
Duke Johnson visits a small Southern town, intent on burying his brother. After the funeral, he learns that he must stay for 60 days, for the estate to be processed. A few locals convince Duke to reopen his late brother's nightclub, and soon the local redneck policemen are intimidating Duke with threats of violence. Duke refuses to pay the bribes they demand, so then he and his lady friend Aretha are threatened and attacked by the crooked cops. Rather than take them on himself, Duke calls on his old pal Roy. Roy brings a few buddies to Bucktown, and they bring justice to the small town. With the redneck cops out of the way, Duke lets his guard down. Then the situation gets out of hand again. Finally, Duke must settle the score himself.
-4
A man and a woman, both disappointed with their partners, meet by chance at the beginning of the night. They will spend the night together drinking red wine in Barcelona's Chinatown.
-1
After turning against friends of his Kung Fu teacher, Cheung Li Kung is banished to Malaysia, but instead of reforming, Cheung sets up a casino to steal wages back from the miners who work for him. When he also kidnaps the local store owner's daughter, and beats her after she refuses his advances, only those familiar with the invincible techniques of Bruce Lee can stop Cheung's evil use of Kung Fu. They must battle the menacing Malaysian bullwhip expert, and even berserk apes, in furious non-stop action that demonstrates the Shaolin Grand Master's deadly dragon fist, snake and tiger techniques.
-3
Twins, who were separated at birth, reunite to bring together their divorced parents. A remake of Disney’s The Parent Trap, this uproarious comedy was a smash hit thanks to the melodious tunes penned by the legendary M. S. Viswanathan. For her adorable performance in the twin roles, Kutty Padmini became the first Tamil actress to win the National Film Award for Best Child Artist.
2
The O'Toole Brothers are Eastern con men, exceptionally good at talking their way out of tight situations. When they ride into Molybdenum, Colorado, not suspecting the riches beneath the streets, they turn the sleepy mining town upside-down for their search for the gold. High-spirited hijinks ensue, with the brothers involved in everything from stolen gambling equipment to a "belchin', cussin' and spittin' " contest.
4
A peasant who works in a mahogany camp in the Mexican jungles with his family is disgusted with the miserable living conditions imposed upon himself and his co-workers, the peasant finally spearheads a revolt against the sadistic bosses.
-2
A young woman is assigned to teach school in a secluded valley whose inhabitants appear stern, secretive and anti-pleasure. Following two children who disappear to play in the woods, she finds that this is actually a community of extraterrestrials with mild paranormal powers who are attempting to repress and deny their heritage for fear of arousing prejudice and hatred in their human neighbors. Based on a series of novels by the late Zenna Henderson.
-7
A guy is about to become the millionth citizen to buy a car in Rome. Frightened, he decides to remain pedestrian, and recalls several stories, with new car owners as protagonists. Episodic comedy.
0
A young and poor Venetian woman is invited to a masquerade ball by a charming count.
0
Criminals hijack an airplane carrying five beauty contest finalists, but unknowingly they've also kidnapped a government agent carrying a dangerous virus that is to be used in bacterial warfare.
-2
A concert pianist loses his hands in a car crash, but a surgeon gives him new ones. The experimental medical procedure goes awry when the new hands drive the pianist mad.
-3
Radha lives with her widowed dad and is of marriageable age. Accordingly her details her provided to a marriage-broker, Avtar, who also doubles as a Ved (Village Doctor). He brings the proposal before Shriram and his wife, Sita. They approve of Radha and show her photograph to Shriram's brother, Dr. Madhu, who agrees to marry her. The marriage is celebrated with great pomp and ceremony in the entire village. It is then that the Shriram, Sita, and Madhu find out that Radha has a serious illness - a fact that was known to Avtar - but not communicated to them. This illness prevents her from being intimate with Madhu, and the only cure is when she has a child of her own. Will this marriage be annulled?
3
Biography of the famed motorcycle daredevil, much of which was filmed in his home town of Butte, Montana. The film depicts Knievel reflecting on major events in his life just before a big jump.
1
After a stunt man dies while he is involved in the making of a motion picture, his brother takes his place in order to find out what really happened.
-1
An elite group of soldiers led by the courageous Claudius Marcellus are handpicked by Julius Caesar to embark on a desperate and dangerous suicide mission to destroy the Druids' secret weapon.
-1
Jesse James leaves Missouri for Mississippi, and immediately charms all the women in Mississippi out of their bloomers and garters. His first conquest is the banker's daughter who helps him loot the bank in exchange for a promise of marriage; he wanders over to the saloon and runs the crooked partner of the proprietress out of town, takes all of his-and-her money and leaves her, between kisses, hounding him for her share; the third one, the saloon singer, actually makes a mark out of him as she cons him into a boxing match against a professional fighter and he loses the fight and his money, but he holds the singer and the fighter up as they leave town and gets his money back; and then he romances and swindles Cattle Kate, a replay of what he had done somewhere before to Kate.
-2
Private detective Jack Masters takes on a case and gets mixed up in murder, sex and blackmail.
-1
A mad scientist terrorizes a city by kidnapping young women with his ape-man Gomar and then using them as subjects in sadistic brain transplant experiments. A female wrestler whose sister was one of the victims swears vengeance against the Mad Doctor.
-3
Kishan (Rajesh Khanna), the rich and spoiled son, studying medicine in college, of a wealthy man (Om Prakash) is taught a lesson in humility by fellow student, Madhu (Hema Malini), and he undergoes a dramatic transformation, and also falls in love with her. Their dreams are shattered when Madhu is killed by Kapilkumar (Danny Denzongpa), and a devastated Kishan relocates to a small village to practice medicine. He meets with Chanchal, an exact look-alike of Madhu, and finds himself drawn towards her, and she too is attracted to him. But does fate have positive results for Kishan?
1
A recently divorced Santa Fe architect is surprised to find himself falling in love with a free-spirited young hitchhiker.
0
Davey Haggart is quite certain of his paternity (even if nobody else is) and determined to emulate his father, a notorious rogue and highwayman. This includes breaking a man out of Stirling jail, holding up the stagecoach, and robbing the Duke of Argyll, among other feats. Unfortunately, he is handicapped by the fact that his childhood playmate Annie is equally determined to track him down and save his soul...
-4
Vacationing in a small town, a frantic Daniel Corban shows up at the local police station, declaring that his wife has disappeared. Corban imperiously demands that the easygoing police inspector drop everything and find his missing spouse. Within a few days, a woman claiming to be his wife shows up, but Corban insists that he's never met the woman before.
-1
Gangacharan is the new Brahmin of a village, where he assumes various duties: teaching, organizing religious events, and trying to prevent epidemics. But in that year 1943, war is raging (as reminded by the planes occasionally heard flying over the countryside), and a major famine is under way. As food shortages reach catastrophic proportions, Gangacharan attempts to preserve his privileged situation, while his generous wife, Ananga, conversely tries to help and support the community.
-2
Bombay-based Rajesh lives a fairly wealthy lifestyle with his parents, mom - a housewife and dad - a rather parsimonious businessman, named Amirchand. One day while walking on the beach, he comes across a beautiful blind girl named Shivani. He instantly falls in love with her. She also likes him, but understands that they cannot be married. Regardless of this, Rajesh asks his parents to permit him to marry her, to which his mother agrees, but his father refuses. Then Mr. Rai, Amirchand's friend, intervenes, he offers to pay for getting Shivani's eyes tested, and if she succeeds in getting her sight, then and only then can Amirchand permit his son to marry her.
4
In 1950s Harlem a vicious Italian gangster (Frank deKova) tries to muscle in on a black racketeer's (Paul Harris) numbers game.
-2
Count Cagliostro, whose family has tried for generations to rid the world of vampires, instructs his daughter and her fiance to protect several valuable documents.
2
Maharaj Singh is a proud owner of several derby-winning stallions, and lives in a palatial farmhouse with his wife, Rukmini and young son, Chimpoo. One day dacoits attack his farmhouse with a view of stealing the stallions.
0
A  old west town run by women. All the town's business is controlled by a woman gambler who tries not to succumb to the allure of a handsome and persistent cowboy.
0
Prospero, the true Duke of Milan is now living on an enchanted island with his daughter Miranda, the savage Caliban and Ariel, a spirit of the air. Raising a sorm to bring his brother - the usurper of his dukedom - along with his royal entourage. to the island. Prospero contrives his revenge.
-2
Cupertino, Italy, 1623: A simple-minded and clumsy young man joins a Franciscan order, miraculously overcoming his intellectual challenges to become a priest. God performs a miracle through him, quite literally raising him to sainthood.
1
Groups of desperate travelers journey together throughout the Southwest and soon find trouble when they all get gold fever. The action and drama are heightened when they discover gold…on an Indian burial ground!
-2
Considered the first biopic of the legendary Bruce Lee, fact blurs with fiction in this low-budget, loose interpretation of the great martial arts expert's life starring Bruce Li, the most well known Lee impersonator. The film takes a look at Bruce's humble beginnings as a paperboy to his rise in fame as a martial arts phenom, who later gets tangled up in a love affair with actress Betty Ting-Pei.
2
The Hurley's own a lumber mill and want to harvest all the timber in the valley. They kill the Forester and substitute their brother Dusty in his place. Dusty then says all the trees are infected and must be cut down. But Rex Allen is suspicious and writes to the Forestry Department and gets involved with the murders.
-6
A policeman (Glenn Langan) with a pregnant wife (Adele Jergens) winds up chasing a payroll thief (Lon Chaney Jr.) into Mexico by helicopter.
0
When Byomkesh Bakshi's new client, Dr. Nishanath Sen, is murdered at Golaap Colony, he decides to probe into the case with the help of his close aide, Ajit.
0
In 1916, during the Mexican Revolution, General Pancho Villa manages to escape from the clutches of General Goyo, his greatest enemy, only to face an even greater problem when he meets McDermott, a mysterious adventurer who promises to get him weapons and ammunition for his troops.
-1
Anna Lucasta has been walking the streets in San Diego since being thrown out of home, at 19, by her alcoholic father, Joe. She's estranged from her family, but when her father and brother-in-law see greedy potential in an arranged marriage to affluent Rudolph, Anna is called back home. Old wounds have hardly healed, though. Just as Anna starts to feel for Rudolph, Danny, an old friend, returns to make life difficult.
-3
A thinly-disguised biography of African leader Patrice Lumumba, here called Lalubi. Lalubi, a Christ-like leader determined to save his people, by passive resistance, from the dictatorial regime propped up by European colonialists, is imprisoned and tortured, along with a thief who comes to a greater understanding through his contact with Lalubi.
-4
Mobster Foots Pulardos, who operates a health gym as a front, plans to flee to Mexico to evade government tax officials. His girl friend, Sugar Pye, suggests that he first arrange for the cremation of a man having his own peculiar identifying characteristic--feet of different sizes--and then apply for a Diners' Club card for use in paying his fare. The request for the credit card comes to the desk of Ernie Klenk, a timid clerk. Nervous about his forthcoming marriage to the boss's secretary, Lucy, Ernie inadvertently okays the application, then, discovering his mistake, rushes to the health gym to recover the club card he has issued.
-6
The wife of the Swedish Ambassador of Greece becomes involved in a romantic triangle, but the man who comes between husband and wife has a preference for the husband.
1
Bhalu is a Marathi movie released in 1980. Produced by Uma Bhende & directed by Raj Dutt. Story is based on a girl whose guardian is falsely accused of a crime he did not commit & the sea of troubles she has to face to clear his name.
-2
Christmas themed episode of the colgate comedy hour.
0
A deranged 15th Century prison colony chaplain exploits his power to get money for his church including murder and grave robbing committed by his vampire mistress and one-eyed hunchback assistant.
-4
Efforts of a grandfather teaching his grandson a style of fighting called "Cooking kung-fu"
0
Ill-treated and disrespected by his sons, an octogenarian man wishes to go back to his youth. Things take a hilarious turn when he falls into a pond and is overjoyed to find his wish to have come true.
0
When Johnny Boyles is falsely accused of murdering his ex-boss, he turns to the unstoppable attorney, Eva Taylor, to help him plea his case.
-2
A group of six thieves selected from different areas are sent a letter that promises them a minimum of $50,000 and includes a plane ticket. The letter instructs them to grow a beard. After being given a blindfolded ride from the airport, they arrive at a ghost town and meet with the boss (Number #1, Jan Murray). All of the "Wolves" are assigned a number, wear identical overalls and instructed never to take off the gloves that they are given. They are only to address eachother by their numbers; in that way, if one is caught, he can't rat-out the others. Number #1 reveals to them that they will take over a town, and clean it out. Using the ghost town for training, they develop their tactics to fleece the town.
2
Dr. Frank Baxter, with the help of The Mad Hatter and Jabberwock, takes young Judy exploring the world of language, in which she finds out that language is for doing more than just talking.
-1
The chronicle of an average American housewife who just happens to be addicted to gambling.
-1
Lawmen and their captured gunrunners take refuge at a deserted mission to fend off attacking Indians. Western.
0
Baskar and Vasanthi are college-mates. A naughty girl creates misunderstanding between them, and an enraged Vasanthi complains to the college dean, who immediately dismisses Baskar. Now left homeless, Baskar however manages to get employed at a tea company, and gets to stay with his close friend Sampath. Vasanthi approaches Baskar and apologises for her cruel act. Baskar forgives her, and they both fall in love. Vasanthi lives with her mother and her elder sister Geetha who is unmarried. Baskar rents the vacant portion of their house. Over time, Vasanthi passes her exams and gets employed.
-5
A thief breaks into a wealthy man's house unaware that the man is his father, who had abandoned his mother and him a long time ago.
0
An embellished dramatization of the career and personal life of actor Rudolph Valentino, widely regarded as the screen's first male sex symbol.
0
AVM Rajan the protagonist lives in a joint family is an easy going guy. Unfortunately AVM Rajan's father loses his eyesight in an accident and family struggles financially to run daily life. AVM Rajan joins for job and meets Vanishree. How AVM Rajan and Vanishree break the plans of Cho and conduct AVM Rajan's sister Lakshmi's marriage and how everyone gets united forms the climax of the movie.
-3
In the Southern Mexican jungle, an adventurous archaeologist is accompanied by an equally daring female photographer in a search for a lost Toltec city. They engage a guide to lead them on their expedition, and soon find themselves in the jungle's depths, far from civilization. Soon both the guide and the archaeologist are vying for the affection of the photographer. They must all deal with enormous danger and sacrifice before their quest is complete.
2
An ex-football star, paralyzed from the waist down during Vietnam, accepts the challenge of coaching football in a juvenile reform school.
0
Three white kids travel down to Mississippi to help with voter registration. Murder, sex slavery and general unsavoriness follow.
-1
An ex-con finds unexpected romance with the widow of his former accomplice as he tries to collect his hidden loot.
-2
The thriving narcotics smuggling operations in Bangkok are headed by rival American and Chinese interests. The former is led by huge bearded nightclub owner, menacingly played by Paul Smith. His bitter rival Tse-Chan goes to elaborate lengths to have him "eliminated."  The honors, however, fall to the fantastic Bruce Li - as an undercover agent playing a highly dangerous game - and his attractive girl assistant. With their supreme intervention, both factions are eliminated forever.
0
Adam & Eve live a worry-free life in paradise. They are instructed not to eat an apple. One day they cannot resist the temptation, and both take a bite out of it. Nature takes offense and expels them from heaven. They are forced to live on Earth as ordinary human beings - together with the apple that has followed them. Now Adam is called Ranjeet Chaddha, a Sales Manager, and Eve is called Sharda. Both meet, fall in love, and get married. Both live in perfect harmony and soon become parents of a baby boy. Then one day Sharda sees signs of a lipstick on her husband's kerchief, when she questions, he clarifies and Sharda is satisfied with his explanation. What Sharda does not know that Ranjeet is carrying on with his pretty Secretary, Nirmala Deshpande, who he has convinced that his wife is seriously ill, is dying, and will marry her after her passing. Watch how hilarious events unfold and prove that Ranjeet is a liar and a two-timer, watch him repent... but hold it! Not for long!
4
Savithri, who does not have any kids with her husband, decides to adopt her sister's child. Things take a turn when her sister meets her child after many years and yearns for him.
0
When Laura and Dan get married, she's more interested in Dan's gorilla. It's revealed through hypnosis that she was Queen of the Gorillas in a previous incarnation.
0
Antony Firingee was a Portuguese-Indian who became a famous Bengali poet musician and fell in love with Shakila. She agreed to marry him after revealing her tragic history. But his fame was not enough to overcome their ostracisation and tragedy struck again.
0
World War 2 - a British commando squad is tasked with attacking the "secret" German airfield from which German fighters have been attacking bombers which are trying to stop German tanks from reinforcing the D Day defences.
-1
A saloon owner falls in love with the abused wife of a heavy gambler.  He is snared into a web of intrigue when an ex-girlfriend is found murdered in his apartment.
0

0
An eight-year-old boy discovers a family of tiny people, only a few inches tall, living beneath the floorboards of a Victorian country home.
0
Demonstrating that a little knowledge is a dangerous thing, a convicted strangler studies the paranormal and finds a way to render himself invisible. Once he escapes, he sets out to find and eliminate five women who remind him of the mother he murdered. A police lieutenant (Robert Foxworth) sets out to safeguard them and bring the invisible killer to justice.
-4
A nightclub janitor discovers the personal effects of a magician and uses them to become a popular magician himself. Tampering with the secrets of the beyond has its price, however, as he soon learns when he is confronted by voodoo, vampirism, and an eviscerated ghost.
1
Connie Hayward mounts an expedition into the Himalayan Mountains looking for her brother, who has not returned from a previous trek trying to locate the Yeti, or "Abominable Snowman". Arriving at her brother's last-known camp Connie and her companions find only a strange old guide, Varga. They are soon attacked by gigantic Snowmen but are not half as surprised as when Vargas reveals his secret origin and the plans he has for Connie.
-2
Two American GIs are the only survivors of a unit wiped out in a battle with Japanese troops on an isolated island. The two, who don't like each other, find try to put aside their differences in order to evade the Japanese and survive.
0
US-Navy pilot Lt. Richard Tabor crash-lands on a south Pacific isle called Love Island in English. Richard befriends the Balinese beauty Sarna. The bad and jealous Jaraka doesn't like their friendship, so he has Sarna's father Aryuna arrested on a vague charge. Jaraka tells Aryuna that he only will be released when his daughter marries him.
0
A woman betrayed and betrayed by a man falls into despair and ends up killing him.
-3
In this rollicking adventure set on the high seas, an innocent insurance agent working on the beautiful Hawaiian island of Kauai, is framed as a drug smuggler. He gets help from a most unlikely source - the town drunk who knows more than anyone suspects.
-2
The manager of a halfway house for female ex-cons takes action when a blackmailer threatens to expose her secret.
0
Gangster and cop killer Jack Martin is on the run from the law, and hides out in a small town. Low on funds, he engineers a clever bank robbery that yields him a big bundle. Now he has not only the cops and the FBI after him, but also the local crime boss, who's outraged that an outsider can pull off a heist like that in his territory and not cut him in on it.
-3
On his motorcycle Stein, a half-blood Indian, tries to stay out of the hands of the police, who are chasing him for accidentally killing a cop. Together with his friend Alan and a beautiful but desperate girl Stein will get involved in a robbery and more death. The police intensify the search, but the three won't give up that easily.
-2
Parents in a small, conservative community don't think that the sex drive is a normal thing for children to experience. So much so, that they label education in that regard as a communist plot. The group of prudes is led by an impotent alcoholic and a gay policeman.
-1
The plot revolves around the dark complexioned and uneducated girl and how she convinces everyone that more than appearance and education, it is the character which is important for a woman.
-1
Two brothers, both of whom are warlocks, use their powers and covens of witches to battle over the family fortune.
1
The son of a wealthy industrialist aspires to be a singer against the wishes of his father.
1
Jeevanlal lives in a small village in India with his wife, Sita, a son, Dharmchand and daughter, Meena, and makes a living by stealing which causes great distress to his family.
-1
Moe, Larry and Curly appear in short subjects linked by ventriloquist Paul Winchell and his dummies.
0
Sam Cade was the first feature-length "movie" put together from episodes of Cade's County, the early '70s series starring Glenn Ford as a modern-day sheriff in Madrid County, CA. In the first half, directed by Marvin Chomsky, Cade finds himself targeted for assassination when he's scheduled to testify in the trial of a mob kingpin -- what he doesn't know is that the assassin is one of his oldest friends (Darren McGavin), who is romancing another old friend (Loretta Swit) with a troubled past and using Cade's determination and his investigative skills to set him up for a hit. In the second half, directed by Richard Donner, Cade gets a tip that the mob has planned an assassination on a retired crime boss (Edward Asner) living in the county, who is so bull-headed and distrustful of the law that he won't accept any help or provide any information on who the killers might be, even though he's putting his own daughter (Shelley Fabares) at risk.
-5
On his own wedding day, sheriff Pat Garrett must leave and try to arrest two bank robbers.
0
Ravi is in love with Aarti but unable to express his feelings to her. With Aarti's marriage arranged, will he be able to confess before it's too late?
-1
Pretty female attorney Abigail "AJ" Furnival is hired to keep high-flying cowboy movie star Ben Castle out of trouble in Las Vegas. Despite his many faults, Abigail falls in love with and marries Ben, with the hope that she can mold him into the virtuous hero he plays on the screen.
1
Prahlada, Lord Vishnu's staunch devotee, is born to Hiranyakashipu (S.V. Ranga Rao) his father. Hiranyakashipu is determined to dissuade his son from worshipping Lord Vishnu, as the Lord killed his brother, Hiranyaksa. To prevent Prahlada's devotion, Hiranyakashipu is willing to go to any extent.
0
Three young women who posed as the daughters of an elderly homesteader find out that he has been falsely accused of murder, convicted, and sentenced to hang. They hatch a plot to smuggle him out of prison.
-5
Laxman has always been the black sheep of the family, and is regarded by them as a no-good slacker. His brother, Ram Narayan, who works in jewellery store, asks him to deliver some money to a businessman out of town, but Laxman instead gets an expensive necklace for a girl named Seema, he just met, just to impress her. Laxman's friend, Rita, finds out that her jewellery is fake, and accuses Ram. Ram assures everyone that he will settle this matter with Rita. The next day Rita is murdered, and Ram is arrested, and imprisoned. Everyone has given up hope for Ram's release, except for Laxman, who has now decided to go straight, and get his dad out of this mess, not knowing that he, himself, is jeopardizing his very own life, and that of Sita and nephew as well.
-1
Mitzi Gaynor and her guests examine the trends of the 1970's ranging from Disco and Jazz to King Tut-mania and Soap Operas.
0
A famed trumpet player is suspected of murdering a blues singer. Using only two minor clues, he narrows the suspects to four people, but only after surviving poison placed on the mouthpiece of his trumpet!
1
Three estranged brothers receive a mysterious letter from their late father inviting them to collect a large inheritance from an Aztec pyramid in far away Boca Nueva.  Realizing that they each have a stake in their father’s fortune, the brothers become murderously competitive.
-1
The spirit of a condemned 20-year-old student wanders through time, linking together four stories of people struggling for survival in this gritty meditation on poverty, natural disaster and political strife in India. A middle-class family's home is no match for the monsoons, while another clan's morality is compromised when famine strikes. Young boys smuggle rice, and politicians pity the poor while living in the lap of luxury.
-7
The action revolves around two friends played by Vyjayanthimala and Anjali Devi. In Tamil.
0
Sekhar is separated from his twin, Anand, after getting abducted and grows up to be a criminal. When Sekhar is injured in an encounter, the police ask Anand to impersonate him and bring down his gang.
-1
Loosely based biography of 1930s star Jean Harlow as she begins her climb to stardom. One of two "Harlow" film biographies that appeared in 1965, this one stars Carol Lynley in the title role that begins as Jean Harlow, a bit player in Laurel and Hardy comedies, is invited to test for director Jonathan Martin for the lead in Howard Hughes's "Hell's Angels." She is an instantaneous sensation, and in a series of films devoted more to her body than her talent, she becomes Hollywood's "Platanum Blonde."
4
Dusty Russell shows off his talent as the greatest daredevil on the circuit. Later, he awaits the biggest challenge of his career.
1
Gang of bikers try to save people in a mining disaster.
-1
A man (Rajesh Khanna) comes to the rescue of a woman (Hema Malini) who is being molested by her boss and hires her on as his secretary.
0
A bachelor's life is interrupted by the appearance of a teenager who claims to be his son.
0
A psycho artist kidnaps models and slices up their faces to create new mutant models.
0
Little Kannan has a heart of gold, he meets a blind girl, Meena and they become best friends. When he falls terminally ill, he resolves to pledge his eyes to Meena.
0
This comical western chronicles the silly adventures of a bumbling wagonmaster and his clutzy assistant as they attempt to take seven passengers across the prairie. Among the passengers are two wealthy Bostonians, an aspiring showgirl, a teacher, and bachelor. The story is adapted from Dusty's Trail, a television sitcom.
-2
Series western, sequel to Manuel Saldivar el Texano.
0
Cornelius is a Roman Centurion who, upon orders from the Apostle Thomas, is sent to proclaim the glories of Christ. Cornelius recounts Jesus' Entry in Jerusalem, the Last Supper, Crucifixion, and His appearance before Mary Magdalene.
1
Nisha, an accomplished architect is a reclusive after the tragic death of her boyfriend, Shashi Saigal. This is when Karan Saxena offers her employment with his advertising agency, she accepts. Though only she knows that Karan, newly married with Timsi resembles Shashi a lot, and she will do anything in her power to get him.
-1
An old man sells his soul to the devil, and turns into a young man. He then uses witchcraft and black magic to win a woman from his rival.
0
A boxer, in Mexico, sets out to avenge the murder of his family by using the money from his winnings to purchase weapons.
-1
Madhavan marries Thangam. He takes care of Thangam’s mother and brother along with his younger brother. Meanwhile, Madhavan gives shelter to his father’s mistress and her daughter. The evil ladies allege Thangam for loose morals. The rest of the story is how they come into good terms.
-3
A pair of miners attempt to muscle their way into a life of crime. 'Hilarity' ensues.
-1
When a newlywed woman is taken to her husband's hometown to meet his mother, she is possessed by the vengeful spirit of his previous wife.
-1
Two men search the jungle for a woman who has been captured by a tribe of murderous gorillas. When they finally find her, they must fight off attacks by the gorillas, who are determined to keep her.
-2
A young woman falls in love and marries, but withholds from her husband information about her family.
0
A gangster hooks gangs of young women on drugs and has them commit robberies and prostitution.
-1
A singing doctor (Gene Autry) on horseback heals a feud between cattlemen and copper miners.
0
A young man tries to get rich by opening a diner. Comedy based on the popular comic strip.
2
Prince Bhanu Pratap returns from a decade in a foreign country, together with his friend Kapil. His father, the King (Raja)has married again after Bhanu Pratap's mother passed away, and has a son by his new wife Maharani (Queen) Kalavanti. The Queen's brother Narpat Singh has designs upon the throne and enrols his sister the Maharani in his plot, by promising to unseat Bhanu Pratap and install her son as the heir. Prince Bhanu Singh has been tipped off, so he starts to behave like a CLOWN prince, instead of acting as the CROWN prince, in an attempt to flush out the schemers.  This is a complex story of Royalty in India, in the post Independence (from the British) era, before democracy took root. It is a story of love, Indian values and to some extent superstitions and the conflict between values, superstition and modern views of the world they lived in.
-1
Chandramukhi, the city educated daughter of the village zamindar returns to Ramnagar, a typical village. There she meets her childhood friend Birju aka Brij Mohan. He has a lovely voice and she encourages him to pursue singing. Eventually Brij and Chandramukhi fall in love, but Chandramukhi's father cuts it abruptly and sends her to Lucknow. A short while later Brij arrives at Lucknow. Gitanjali, Chandramukhi's friend, is thrilled by his voice and helps him get a job at Aakashvani through her father. Brij returns to Ramnagar to ask Chandramukhis hand in marriage but is once again rebuked. He returns and goes on to become a great singer in Mumbai with Gitanjali by his side. All through he yearns for Chandramukhi as she yearns for him. How he manages to marry her forms the rest of the story.
3
The legendary Lucille Ball as you've never seen her before! Laugh along with Lucy and Desi in these extremely rare television appearances, beautifully restored! Includes a rare appearance of the I Love Lucy cast on the Bob Hope Show and the lost Lucy pilot. A must-have collection of gems from the first lady of comedy! - The I Love Lucy cast on the Bob Hope Show - Westinghouse special with Lucy and Desi - Segment with Lucy on the game show I've Got a Secret with panelist Johnny Carson - A rare lost Lucy pilot directed by Desi.
4
When Vimala’s wayward lover Rajnikant is killed by her brother Mohan, the brother is sheltered from the police by the victim’s blind father, Major Chandrakanth. The major’s elder son, the zealous cop Srikanth, is in charge of finding Mohan, whom he finally arrests in his own house. Realising that his father knowingly sheltered a murder suspect, Srikanth arrests the blind old man as well.
-5
Mitzi Gaynor in a song-dance-comedy hour with guests Ken Berry (Mayberry R.F.D.), Dan Dailey (My Blue Heaven) and Mike Connors (Manix) as they relive memorable "First Times" of life. Television technical advances also allow for a studio-bound Mitzi to electronically dance in and out of the newly installed $1.6 million jumbo scoreboard at the Los Angeles Memorial Coliseum.
2
Mitzi Gaynor welcomes guests George Hamilton & Phil Harris (The Jungle Book) for a sparkling hour of music, comedy and dance. Songs performed include "Everybody Loves My Baby," "Gentle on My Mind," "Pretty," and "Love Is Blue." Mitzi & George parody classic movies on the late-late show, George playing Cary Grant to Mitzi's Rosalind Russell, Rock Hudson to her Doris Day, and Glenn Ford to her Rita Hayworth.
6
Raja returns from war only to learn that tragedy struck his family while he was away. He decides to help his son by leaving his village and seeking treatment for him.
-2
Pazhani has two children — Chandiran and Meena. Meena is married. Chandiran loves Pankajam. His father and grandmother want him to marry a relative girl, Thangam, who is very helpful to the family. But Chandiran marries Pankajam defying them. Although brought in for comic relief, the ever-loveable J. P. Chandrababu and his milkman character became the real irresistible pull of this family melodrama. Director A. Bhimsingh—a rare talent to have successes in both South Indian and Hindi cinemas—masterfully blends lightness and pathos.
6
An army officer's wife is unsure if the man she is living with is her husband or his look-alike.
-1
In this musical salute to Spring, Mitzi Gaynor is joined by country music star Roy Clark (Hee Haw), actor Wayne Rogers (MASH) and the US Olympic Gymnastics Team for a colorful tribute in song, dance and comedy sketches to the earth's season of renewal. Songs include "You Make Me Feel Like Dancing," "Isn't it Romantic," and "Yankee Doodle Dandy."
4
Sawan Ki Ghata is a 1966 Bollywood film produced and directed by Shakti Samanta. The film stars Manoj Kumar, Sharmila Tagore, Mumtaz, Pran, Madan Puri.
0
A doctor saves a girl from suicide and marries her out of pity. Soon the evil man who had pushed her to the limit taking advantage of her re-enters her life. The ensuing crisis will help the newlyweds overcome their differences and start a fresh, better new life.
-2
What the movie has in store for you, wait and watch this space for more updates.
0
Ted Daniels, a ranch hand working for a rodeo, captures a magnificent wild horse that he tames and trains. As Ted is recovering from an accident that happened during a rodeo, the rodeo owner cheats him out of his horse. Ted must decide whether to pursue him and try to recover the horse, or whether to settle down with the doctor's daughter who is nursing him back to health. Written by Snow Leopard
0
Well off widow working Mother "Mona" is struggling raising 6 kids at different ages ranging from elementary school to University graduating students. The day she thinks to bring a new husband home proves to be a very difficult task.
-1
Former Coastguardsmen Jim Benson is about to lose his boat when a couple approaches him for a fishing charter. Jim departs just ahead of the Sherrif with drunken Shanks, and his companion Sally (Gates). Shanks takes off into a small Mexican village after a fight with Jim, stranding both Sally and him with no money. Two local men hear of Jim's plight, and offer him money to smuggle a batch of illegal aliens, called Wetbacks, into the U.S. He agrees but is blackmailed into continuing to run the smuggling operation. Afraid, Jim decides to make a run for it, but someone close to him reveals themselves as a US Immigration agent and asks him to assist them in shutting down the smugglers for good.
-4
A woman finds herself possessed by the soul of another woman trapped inside a painting. Based on a work by Edgar Allan Poe, aka The Oval Portrait.
0
A stewardess becomes romantically involved with an airline pilot, a college professor, and a successful businessman...all of whom are named Mike. When the three find out about each other, she has to decide which one she loves the most.
3
Leroy Bassett and his dim-witted brothers go on the lam after freeing their friend Keema from jail.
0
In an adventurous journey of spreading goodness on earth and by contributing to Tamil literature, Sage Agathiyar faces challenges at various phases of his journey.
2
Kula Deivam was based on a Bengali film Banga Kora by noted writer Prabhavathi Devi Saraswathi
0
Bobby Joe Smith returns to his home in a small town, having changed his name, his outlook on life, and gained a career as a Hollywood star. Bobby Joe finds a renewed love in Jenny Jenkins, his childhood sweetheart, whose father is the town reverend and who believes that Bobby Joe has returned as a corrupt and demoralized person. Jenny's father jealously wants no connections between Bobby and Jenny, and takes measures to keep Bobby Joe from attending any of the Homecoming activities by persuading some local boys to beat him up. This builds to a crashing climax which is utterly shocking and unexpected.
-2
Mitzi Gaynor and guests Ted Knight (Mary Tyler Moore Show), Jerry Orbach (Chicago), Suzanne Pleshette (Bob Newhart Show) and Jane Withers in music, dance and comedy vignettes celebrating housewives. Songs include "Married," "I Can Cook, Too," and "You Are the Sunshine of My Life." The cast also attend a party performing "The Little Things We Do Together" from Stephen Sondheim's Company.
0
Oru Kai Oosai is a Tamil film written and directed by K. Bhagyaraj. The music composed by M. S. Viswanathan, while lyrics written by Muthulingam, Chidambaranathan, Viswam and Bairavi.
0
What the movie has in store for you, wait and watch this space for more updates.
0
An American track team has just arrived in The Philippines for an international competition. Among the competitors are Ginger and Pam, nicknamed "Ivory" and "Ebony", who meet up with another friend, Jackie, nicknamed "Jade". After they arrive at their hotel, a gang of thugs kidnaps them, along with some other girls from the team. To get away, the trio are going to have to use all their fighting skills.
0
Mitzi Gaynor in a song and dance hour with an all-male, star-studded ensemble featuring her main guests Michael Landon (Little House on the Prairie) and Jack Albertson (Chico and the Man), plus 28 celebrities as her "Million Dollar Chorus." Songs performed include: "I Got the Music in Me," "The Most Beautiful Guy in the World," and "You Are the Sunshine of My Life."
1
Paar Magale Paar is a 1963 Tamil film starring Sivaji Ganesan, Sowcar Janaki, R. Muthuraman and Vijayakumari. Zamindar Sivalingam (Sivaji Ganesan) is married to Lakshmiammal (Sowcar Janaki) and takes his family's prestige and heritage very seriously. Dancer Sulochana and Lakshmiammal have baby girls at the same time in the same hospital.
1
An American gambler masquerades as a Catholic priest during the fall of Manilla early in World War II in the Pacific to obtain clearance to fly out on an official military transport. Five American showgirls wrangle a pass with the aid of a helpful U.S. Army colonel to leave on the same plane. Ironically, the transport crashes at sea. The gambler and the girls wind up on a Japanese held island. Initially, they stay out of sight from the enemy, but inevitably things change.
-5
A gang leader targets the daughter of an enemy who's been promised to a local fighter. After losing his leg to a poison arrow, the fighter learns to fight again using a metal leg.
-2
Set in post war Japan, the film tells the tale of a woman looking for her missing brother. Her brother operated a small export business and has suddenly disappeared. Strangely his business partner has also vanished.
-1
Pachai Vilakku (English: Green Lantern) is a 1964 Indian Tamil film, directed by A. Bhim Singh and produced by Rama. Arangannal, A. R. Hassan Khan and T. S. Aadhi Narayanan. The film stars Sivaji Ganesan, C. R. Vijayakumari, S. S. Rajendran and S. V. Ranga Rao in lead roles. The film had musical score by Viswanathan–Ramamoorthy.
1
Amar Shaheed Bhagat Singh is a biopic movie based on the life of Shaheed Bhagat Singh. The hardships faced by this freedom fighter for our country, is well portrayed in this film.
1
After being discharged by the Air Force, a pilot tries to make a living in Taipei.
0
After her husband’s death, a woman struggles to raise her only son. Later, he becomes a famous surgeon and gets married to a wealthy girl but misunderstandings drive them apart.
-1
Director John Barnwell's 1959 WWII drama stars Keith Andes as an American soldier in the Philippines who trains a village of headhunters to fight the Japanese. Also in the cast are Susan Cabot and Paraluman.
0
An Eastern European escapes to America, where Communist agents try to track him down.
0
An emotionally touching story of a man who's life was in seeming disrepair, yet God turned it into one of redemption and atonement.
1
After rising to fame, a staunch devotee of Lord Murugan devotes his wealth for the development of a temple. However, trouble brews up when his wife misinterprets his generous nature.
2
Velayutham is a devotee  living in one of the Murugan Temple. One day pearl gemstone missing from Murugan Idol. Velayutham is blamed so he forced to leave the place.He comes to Coimbatore for livelihood. Velayutham then get companion of Paramashivam and he become fruit-seller with help of Bama. One day Velayutham get 10,000 bucks for remuneration.  He married to Maragatam. Both are in the different edge of the world,ideology. So they always have dialectical relations which forced Maragatam to accept the almighty god.She refused to pick it up.Velayutham disappointed and both are not speaking to each other,meantime Maragatam gives birth to child.The child is unfortunately born paralyzed. Distressed Maragatam step out from her believes take the child to all the Murugan Temple and deeply praying for child.
-4
Adventure - Moving to the unspoiled terrain of Africa was a risk the Mallory family survived. This family of animal trainers soon find themselves in a desperate struggle for their lives after their truck breaks down deep in the African bush. They split up to search for help, only to find themselves face to face with some of the most dangerous wild animals in Africa: crocodiles, cobras and other deadly beasts. -  Stan Brock, Anne Collings, Steven Tors
-8
Mitzi Gaynor does a tribute to the music of the 1920's.
0

0
Dick Loudon and his wife Joanna decide to leave life in New York City and buy a little inn in Vermont. Dick is a how-to book writer, who eventually becomes a local TV celebrity as host of "Vermont Today." George Utley is the handyman at the inn and Leslie Vanderkellen is the maid, with ambitions of being an Olympic Ski champion; she is later replaced by her cousin Stephanie, an heiress who hates her job. Her boyfriend is Dick's yuppie TV producer, Michael Harris. There are many other quirky characters in this fictional little town, including Dick's neighbors Larry, Darryl, and Darryl...three brothers who buy the Minuteman Cafe from Kirk Devane. Besides sharing a name, Darryl and Darryl never speak.
-5
In the future, crime is out of control and New York City's Manhattan is a maximum security prison. Grabbing a bargaining chip right out of the air, convicts bring down the President's plane in bad old Gotham. Gruff Snake Plissken, a one-eyed lone warrior new to prison life, is coerced into bringing the President, and his cargo, out of this land of undesirables.
-6
A girl who halfheartedly tries to be part of the "in crowd" of her school meets a rebel who teaches her a more devious way to play social politics: by killing the popular kids.
-2
He fought his first battle on the Scottish Highlands in 1536. He will fight his greatest battle on the streets of New York City in 1986. His name is Connor MacLeod. He is immortal.
1
Laura Holt, a licensed private detective, opens a detective agency but finds that potential clients refuse to hire a woman, however qualified. To solve the problem, Laura invents a fictitious male superior whom she names Remington Steele. Through a series of events that unfold in the first episode, "License to Steele," a former thief and con man, whose real name is never revealed, assumes the identity of Remington Steele. Behind the scenes, Laura remains firmly in charge.
-1
Mr Bean turns simple everyday tasks into chaotic situations and will leave you in stitches as he creates havoc wherever he goes.
-2
Jesus, a humble Judean carpenter beginning to see that he is the son of God, is drawn into revolutionary action against the Roman occupiers by Judas -- despite his protestations that love, not violence, is the path to salvation. The burden of being the savior of mankind torments Jesus throughout his life, leading him to doubt.
2
After tinkering with a box he bought while abroad, sexual deviant Frank inadvertently opens a portal to hell, where fetish-demons led by Pinhead tear his body apart. When Frank’s brother and his wife move into his house, a skeletal Frank appears to his sister-in-law and asks her to supply him with corpses for his regeneration.
0
Hollywood stuntman Colt Seavers picks up some extra pocket money by using his rough-and-tumble skills to track and capture bail jumpers.
1
Doctor Channard is sent a new patient, a girl warning of the terrible creatures that have destroyed her family, Cenobites who offer the most intense sensations of pleasure and pain. But Channard has been searching for the doorway to Hell for years, and Kirsty must follow him to save her father and witness the power struggles among the newly damned.
-4
A realistic glimpse into the daily lives of the officers and detectives at an urban police station.
1
Wallace and Gromit are the main characters in a series of four British animated short films, several series of short interstitials, and a feature-length film by Nick Park of Aardman Animations. All the characters were made from moulded plasticine modelling clay on metal armatures, and filmed with stop motion clay animation. Wallace, an absent-minded inventor from Wigan, Lancashire, is a cheese enthusiast (especially for Wensleydale cheese). His companion, Gromit, appears to be rather more intelligent than his master. Wallace is voiced by veteran actor Peter Sallis; Gromit remains silent, communicating only through facial expressions and body language.
3
In this animated tale, a tiny village is destroyed by a surging glacier, which serves as the deadly domain for the evil Ice Lord, Nekron. The only survivor is a young warrior, Larn, who vows to avenge this act of destruction. The evil continues, however, as Nekron's palace of ice heads straight towards Fire Keep, the great fortress ruled by the good King Jarol. When Jarol's beautiful daughter, Teegra, is abducted by Nekron's sub-human ape-like creatures, Larn begins a daring search for her. What results is a tense battle between good and evil, surrounded by the mystical elements of the ancient past.
-1
Aliens disguised as clowns crash land on Earth in a rural town to capture unsuspecting victims in cotton candy cocoons for later consumption.
-2
The Kids in the Hall is a Canadian sketch comedy group formed in 1984, consisting of comedians Dave Foley, Kevin McDonald, Bruce McCulloch, Mark McKinney, and Scott Thompson.
0
A boy preacher named Isaac goes to a town in Nebraska called Gatlin and gets all the children to murder every adult in town.
-1
After a tragic accident, a man conjures up a towering, vengeful demon called Pumpkinhead to destroy a group of unsuspecting teenagers.
-5
The continuing adventures of paranormal investigators Dr. Peter Venkman, Dr. Egon Spengler, Dr. Ray Stantz, Winston Zeddemore, their secretary Janine Melnitz and their mascot ghost Slimer.
0
Gerry Anderson & Christopher Burr's Terrahawks, simply referred to as Terrahawks, was a 1980s British science fiction television series produced by Anderson Burr Pictures and created by the production team of Gerry Anderson and Christopher Burr. The show was Anderson's first in over a decade to utilize puppets for its characters, and also his last. Anderson's previous puppet-laden TV series included Thunderbirds and Captain Scarlet and the Mysterons.

Set in the year 2020, the series followed the adventures of the Terrahawks, a taskforce responsible for protecting Earth from invasion by a group of extraterrestrial androids and aliens led by Zelda. Like Anderson's previous puppet series, futuristic vehicles and technology featured prominently in each episode.
0
A millionaire past his prime and his young wife arrive in Kenya circa 1940 to find that the other affluent British expatriates are living large as the homefront gears up for war. They are busy swapping partners, doing drugs, and attending lavish parties and horse races. She begins a torrid affair with one of the bon vivants, and her husband finds out and confronts them. The husband and wife decide to break up peacefully, but the bon vivant is murdered and all the evidence points to the husband.
2
Two mercenaries help wandering caravans fight off an evil and aimless band of white-clad bikers after the nuclear holocaust.
-2
A free-spirited woman "kidnaps" a yuppie for a weekend of adventure. But the fun quickly takes a dangerous turn when her ex-con husband shows up.
0
A New York journalist lies when his fake story about a pimp describes a real pimp up for murder.
-3
Journey to exciting places and build a lasting connection with your favorite books. Each episode centers on a theme from a book, or other children's literature, which is explored through a number of segments or stories.
2
Join the Baywatch lifeguards on their thrilling adventures filled with beautiful beaches and those iconic red swimsuits.
2
A psychiatrist comes to the aid of a compulsive gambler and is led by a smooth-talking grifter into the shadowy but compelling world of stings, scams, and con men.
-3
Political double-talk, dirty tricks, hidden microphones, spy satellites, bugging the Oval Office and a nuclear bomb for sale are all ingredients in this swift, funny and frightening look at the possibilities in today's political arenas. Sean Connery stars as TV Newsman Patrick Hale on an international chase to track two suitcase sized nuclear weapons and to uncover the twisting maze of apparent involvement of US Government agencies.
-4
The new guy in a Los Angeles high school, Morgan, does some singing and fights hotshot Nick over disco dancer Frankie.
0
A group of varied misfits (including a former prostitute/stripper and a bumbler who can't see more than 6 inches in front of his face) enter a school to become flight attendants. Somehow, the group makes it through to the final test: a cross-country flight.
-1
Babar is a Canadian/French/Japanese animated television series produced in Quebec, Canada by Nelvana Limited and The Clifford Ross Company. It premiered in 1989 on CBC and HBO, subsequently was rerun on HBO Family and Qubo. The series is based on Jean de Brunhoff's original Babar books, and was Nelvana's first international co-production. The series' 78 episodes have been broadcast in 30 languages in over 150 countries. Episodes of Babar currently air on Ion Television and Qubo.

While the French author Laurent de Brunhoff pronounces the name Babar as "BUH-bar", the TV series in its first five seasons pronounces the name as "BAB-bar".

In 2010, a computer-animated sequel series spin-off of Babar titled Babar and the Adventures of Badou was launched. The new series focuses on a majority of new characters.
-1
Two street-wise Chicago cops have to shake off some rust after returning from a Key West vacation to pursue a drug dealer that nearly killed them in the past.
-3
Brad Whitewood Jr. lives in rural Pennsylvania and has few prospects. Against his mother's wishes, he seeks out his estranged father, the head of a gang of thieves in a nearby town. Though his new girlfriend supports his criminal ambitions, Brad Jr. soon learns that his father is a dangerous man. Inspired by the real events that led to the end of the Johnston Gang, who operated in the northeastern United States in the 1970s.
-1
Julia Sugarbaker, Mary Jo Shively, Charlene Frazier-Stillfield and Suzanne Sugarbaker are associates at their design firm, Sugarbaker and Associates. Julia is the owner and is very outspoken and strong-willed. Mary Jo is a divorced single-parent whom is just as strong-willed as Julia, but isn't as self-confident. Charlene is the naive and trusting farm girl from Poplar Bluff, Missouri. Suzanne is the self-centered ex-beauty queen whom has a number of wealthy ex-husbands.
1
A talk-show hostess takes a camera crew out to an abandoned factory to investigate a purported snuff film that was made there. As she gets closer to the truth, she and her friends are subjected to a brutal nightmare.
-3
Blossom is an American sitcom broadcast on NBC from January 3, 1991, to May 22, 1995. The series was created by Don Reo, and starred Mayim Bialik as Blossom Russo, a teenager living with her father and two brothers. It was produced by Reo's Impact Zone Productions in association with Witt/Thomas Productions and Touchstone Television.
2
When her great aunt dies, famed horror hostess Elvira heads for the uptight new England town of Falwell to claim her inheritance of a haunted house, a witch's cookbook and a punk rock poodle. But once the stuffy locals get an eyeful of the scream queen's ample assets, all hell busts out & breaks loose.
-4
Hercules, a semi-divine being, squares off against King Minos, who is attempting to use science to gain power and take over the world. With the help of a benevolent sorceress, Circe, Hercules tries to save his beloved Cassiopeia from being sacrificed by Minos, and struggles against laser-breathing creatures and an evil sorceress.
0
The Goddard family is about to be torn apart by the arrival of Australian conscription during the Vietnam War.
0
After her father dies, young Dale takes his place in a trans-African auto race, but ends up being abducted by a desert sheik.
-1
A masked killer, wearing World War II U.S. Army fatigues, stalks a small New Jersey town bent on reliving a 35-year-old double murder by focusing on a group of college kids holding an annual Spring Dance.
-4
Mark wants to lose his virginity, but his girlfriend wants to wait. Unfortunately for both of them, a 400-year-old vampire Countess needs to turn a virgin into a vampire before Halloween in order to preserve her own youthful appearance, and when she finds Mark, she turns his life upside-down.
-1
The history of American popular music runs parallel with the history of a Russian Jewish immigrant family, with each male descendant possessing different musical abilities.
1
Gritty adaption of William Shakespeare's play about the English King's bloody conquest of France.
-2
In a touring Shakespearean theater group, a backstage hand - the dresser, is devoted to the brilliant but tyrannical head of the company. He struggles to support the deteriorating star as the company struggles to carry on during the London blitz. The pathos of his backstage efforts rival the pathos in the story of Lear and the Fool that is being presented on-stage, as the situation comes to a crisis.
-5
The familiar story of Lieutenant Bligh, whose cruelty leads to a mutiny on his ship. This version follows both the efforts of Fletcher Christian to get his men beyond the reach of British retribution, and the epic voyage of Lieutenant Bligh to get his loyalists safely to East Timor in a tiny lifeboat.
1
A Los Angeles radio-station manager's girlfriend shows his teenage daughter how to be sexy.
1
Frustrated at a new moderate Conservative government and deprived of a promotion to a senior position, chief whip Francis Urquhart prepares a meticulous plot to bring down the Prime Minister then to take his place.
-3
Roger Cobb is an author who has just separated from his wife. He moves into a new house and tries to work on a novel based on his experiences in the Vietnam War. Strange things start happening around him; little things at first, but as they become more frequent, Cobb becomes aware that the house resents his presence.
0
A despondent Vietnam veteran in danger of losing his livelihood is pushed to the edge when he sees Vietnamese immigrants moving into the fishing industry in a Texas bay town.
-3
While on Christmas break, college student Michael journeys to Quebec City to spend time with his attractive girlfriend, Gabriella. Not long after he arrives, Gabriella breaks up with him, but her two equally gorgeous sisters waste no time showing romantic interest. In the meantime, Michael is left to deal with Gabriella's eccentric grandmother and offbeat father, an academic who spends most of his time naked.
-1
EC Comics-inspired weirdness returns with three tales. In the first, a wooden statue of a Native American comes to life to exact vengeance on the murderer of his elderly owners. In the second, four teens are stranded on a raft on a lake with a blob that is hungry. And in the third, a hit and run woman is terrorized by the hitchhiker she accidentally killed... or did she?
-3
An Orange County teenager's carefree life of ditching class and skateboarding abandoned pools comes to a screeching halt when someone close to him dies. The cops rule the death a suicide, but the bereaved skater believes he was murdered. It's up to him to solve the case, with a skateboard.
-1
Kids on an outing in the forest come up against a mysterious hermit who lives on the other side of a bridge, and he is definitely not happy to see them.
0
Carlos has failed in show-biz and currently works as a waiter in a Mexican restaurant. There he meets Alex and dumb footballer Bruce celebrating their engagement with her parents. Alex' father is less than thrilled of her fiancée and says he'd rather accept anybody else. Eventually Alex hires Carlos to present him as her new fiancée.
0
A movies special effects man is hired by a government agency to help stage the assassination of a well known gangster. When the agency double cross him, he uses his special effects to trap the gangster and the corrupt agents.
-3
The sole survivor of a Vietnam mission is ordered by his commanding officer to photograph Soviets.
1
Burglary. Drugs. Assault. Rape. The students at Brandel High are more than new Principal Rick Latimer bargained for. Gangs fight to control the school using knives - even guns - when they have to. When Latimer and the head of security try to clean up the school and stop the narcotics trade, they run up against a teenage mafia. A violent confrontation on the campus leads to a deadly showdown with the drug dealer's gang, and one last chance for Latimer to save his career... and his life.
-5
Two young men are seriously affected by the Vietnam war. One of them has always been obsessed with birds - but now believes he really is a bird, and has been sent to a mental hospital. Can his friend help him pull through?
0
Playful penguin Pingu lives with his family in Antarctica, where he often finds himself caught up in mischievous high jinks with his pal Robby.
0
Dar, is the son of a king, who is hunted by a priest after his birth and grows up in another family. When he becomes a grown man his new father is murdered by savages and he discovers that he has the ability to communicate with the animals, which leads him on his quest for revenge against his father's killers.
-2
After the death of her husband, a mother takes her kids off to live with their grandparents in a huge, decrepit old mansion. However, the kids are kept hidden in a room just below the attic, visited only by their mother who becomes less and less concerned about them and their failing health, and more concerned about herself and the inheritence she plans to win back from her dying father.
-5
Corey and his band of skater buddies sometimes make mischief, but they're more interested in girls and having fun on their boards than in getting into any real trouble. Notorious enemy crew the Daggers, led by Tommy Hook, get their kicks terrorizing the locals at Venice Beach. When Corey starts dating Tommy's kid sister Chrissy, the Daggers are furious. The boys then take their beef to the "L.A. Massacre," a deadly skate race down a canyon road.
-5
In post-apocalyptic New York City a policeman infiltrates the Bronx which has become a battleground for several murderous street gangs.
-1
A psychotic man, troubled by his childhood abuse, loose in NYC, kills young women and local girl American models and takes their scalps as trophies. Will he find the perfect woman in photographer Anna, and end his killing spree.
-3
A homeless woman named Florabelle becomes the unwitting guide to the streets for a New York social worker named Carrie who thinks she has lessons to offer the down-and-out clients she serves at the homeless shelter. Soon, however, Carrie realizes that she's the one who has much to learn.
0
The Freeling family move in with Diane's mother in an effort to escape the trauma and aftermath of Carol Anne's abduction by the Beast. But the Beast is not to be put off so easily and appears in a ghostly apparition as the Reverend Kane, a religeous zealot responsible for the deaths of his many followers. His goal is simple - he wants the angelic Carol Anne.
-2
When a family moves into a San Francisco apartment, an opportunistic troll decides to make his move and take possession of little Wendy (Jenny Beck), thereby paving the way for new troll recruits, the first in his army that will take eventual control of the planet. We soon discover Torok is the ex-husband of Eunice St. Clair, a resident in the building who was married to Torok.
-1
After a successful deployment of the Robocop Law Enforcement unit, OCP sees its goal of urban pacification come closer and closer, but as this develops, a new narcotic known as "Nuke" invades the streets led by God-delirious leader Cane. As this menace grows, it may prove to be too much for Murphy to handle. OCP tries to replicate the success of the first unit, but ends up with failed prototypes with suicidal issues... until Dr. Faxx, a scientist straying away from OCP's path, uses Cane as the new subject for the Robocop 2 project, a living God.
-1
Two reporters travel to a strange castle in Transylvania to investigate the apparent reappearance of Frankenstein, and encounter the sensitive Wolfman, the Vampiress Odette and a whole cast of other weirdos.
0
The misadventures of hapless cafe owner René Artois and his escapades with the Resistance in occupied France.
-3
A rich young boy arranges to be kidnapped so he'll get more attention from his parents.
1
Hairdresser Nadine Hightower wants to retrieve the risqué photos she once posed for, but when she visits the photographer at his office, he's murdered by an intruder. Nadine talks her estranged husband, Vernon, into going along when she returns to the office, where they stumble across plans for a less than legal construction project. But when Vernon tries to turn the documents into a cash windfall, he and Nadine are pursued by goons with guns.
-2
Celebrities and creatives -- including musician David Byrne, performance artist Spalding Gray, comedian Sandra Bernhard, radical activist Abbie Hoffman, and poet Allen Ginsberg-- recall their earliest sexual experiences.
-1
Louise is not very popular at her highschool. Then she learns that she's descended from the witches of Salem and has inherited their powers. At first she uses them to get back at the girls and teachers who teased her and to win the heart of the handsome footballer's captain. But soon she has doubts if it's right to 'cheat' her way to popularity.
3
Medium Sylvia Pickel and psychometrist Nick Deezy meet at a psychic research facility in New York. Not long after, they're contacted by Harry Buscafusco, who offers them $50,000 to find his lost son in South America, in the heart of Incan territory where they discover an ancient mystical secret, and each other.
-1
The tragic story of Vincent van Gogh broadened by focusing as well on his brother Theodore, who helped support Vincent. Based on the letters written between the two.
2
The rise and fall of Italy's fascist dictator Benito Mussolini. Recounting his life with his wife, children and mistress, this biography (based on the recollections of Mussolini's eldest son, Vittorio) chronicles Il Duce's tyranny as he plunges Italy into the dark days of World War II.
-6
When young Joshua learns that he will be going on vacation with his family to a small town called Nilbog, he protests adamantly. He is warned by the spirit of his deceased grandfather that goblins populate the town. His parents, Michael and Diana, dismiss his apprehensions, but soon learn to appreciate their son's warnings. Guided by his grandfather's ghost, will Joshua and his family stand a chance in fighting off these evil beings?
-5
Harry Burck has been kidnapped by South American terrorists, and when the US Government refuses to intervene, Harry's friends decide to take matters into their own hands!
-1
Set during the fading glory of the Austro-Hungarian empire, the film tells of the rise and fall of Alfred Redl, an ambitious young officer who proceeds up the ladder to become head of the Secret Police only to become ensnared in political deception.
0
When a volatile young street tough with a talent for singing and dancing is tapped by the high school music teacher to lead the upcoming senior "Sing," he is forced to come to terms with his defiant self-destructive lifestyle and his growing attraction to his co-star.
1
The second in-name-only sequel to the first Meatballs summer camp movie sets us at Camp Sasquash where the owner Giddy tries to keep his camp open after it's threatened with foreclosure after Hershey, the militant owner of Camp Patton located just across the lake, wants to buy the entire lake area to expand Camp Patton. Giddy suggests settling the issue with the traditional end-of-the-summer boxing match over rights to the lake. Meanwhile, a tough, inner city punk, nicknamed Flash, is at Camp Sasquash for community service as a counselor-in-training where he sets his sights on the naive and intellectual Cheryl, while Flash's young charges befriend an alien, whom they name Meathead, also staying at the camp for the summer.
-3
Bobby Generic lives in a typical suburban neighborhood and uses his overactive imagination to discover a world of daring adventure, incredible wonder and lots of laughs — all in pint-sized perspective.
3
Fear chokes the free-wheeling underbelly of San Francisco's punk scene as a killer stalks the night to feed an unspeakable appetite. A writer probes the gruesome murders and the story hits close to home, as the web of death devours neighbors, friends, and lovers.
-7
After his sister is turned into a werewolf and subsequently killed, Ben White decides to help the enigmatic Stefan Crosscoe fight the growing population of lupine monsters, along with the lovely Jenny Templeton. Traveling to Transylvania, Ben, Jenny and Crosscoe attempt to hunt down the powerful werewolf queen, Stirba, and must face her furry followers, as well as other supernatural forces.
1
A housewife sits on the stoop of her apartment building in a black neighborhood of Washington, D.C., and discusses all manner of things with her neighbors.
0
A little boy whose dreams transcend reality is sucked into his own fantasy, which is everything he has dreamed of, until he unleashes an old secret that may not only destroy this perfect dream world but reality itself.
-1
A brutal Los Angeles police lieutenant is determined to bust up an organization that forces underage girls into prostitution.
-2
An Englishman on a Ruritarian holiday must impersonate the king when the rightful monarch, a distant cousin, is drugged and kidnapped.
1
After a series of gory murders commited by mobs of townspeople against visiting tourists, the corpses appear to be coming back to life and living normally as locals in the small town.
-1
A commando rescues his squad leader from heroin smugglers in Burma.
0
A private eye hired to kill a man's wife  warns her instead and then finds both are impostors.
-1
A rash of bizarre murders in New York City seems to point to a group of grotesquely deformed vagrants living in the sewers. A courageous policeman, a photo journalist and his girlfriend, and a nutty bum, who seems to know a lot about the creatures, band together to try and determine what the creatures are and how to stop them.
-5
A woman murders her boyfriends and steals some diamonds he has smuggled. She gets found out though, and locked in a prison with an evil sadistic lesbian warden. She immediately sets about planning her escape with some of her fellow inmates, but the plans are even more difficult than they seemed when set in motion.
-5
A cunning and resourceful housewife vows revenge on her husband when he begins an affair with a wealthy romance novelist.
1
A Chicago cop is caught in the middle of a gang war while his own comrades shun him because he wants to take an irresponsible cop down.
-2
The Discovery Channel's Shark Week, first broadcast on July 17, 1987, is a weeklong series of feature television programs dedicated to sharks. Held annually, normally in July or August, Shark Week was originally developed to raise awareness and respect for sharks. It is the longest-running cable television programming event in history. Now broadcast in over 72 countries, Shark Week is promoted heavily via social networks like Facebook and Twitter.
-2
In this brilliant one-man show, the mild-mannered, thirty-something Steven Banks arrives home after a long day at his dead-end corporate job, still dreaming of being a rock star. Steven receives a message on his machine from his boss, Mr. Buttle, informing him that he never received an urgent speech Steven wrote for the board of directors. Steven must scramble to write a new one, but he has less than an hour to do it. Along the way, he continually procrastinates and distracts himself from the task at hand, playing with toys and various musical instruments, baking cookies, putting on costumes, leafing through an old high school yearbook and performing some hilarious original songs along the way. Meanwhile, he's got to deal with his grumpy landlord Mr. Mescue, his clingy girlfriend Phoebe and even a broken toilet. Will Steven ever finish his speech? Or does fate have something else in mind for him?
-3
Based on a true story.  Karin is a young blind girl who's been encouraged by her overprotective parents to encounter life boldly. Karin meets a handsome young man named Richie, who falls in love with her. Seeking greater independence from her family, Karin becomes romantically involved with him. But Richie's love, too, smothers Karin, who realizes that she is trading one dependency for another. After entering and winning a dance contest, Karin feels strong and determined to find her own way. She accepts the fact that she must face the unknown in order to grow.
2
Women who have been captured and sold as slave labor to a South American emerald mine hatch a plan for revolution and revenge.
-2
Mick O'Brien is a young Chicago street thug torn between a life of petty crime and the love of his girlfriend. But when the heist of a local drug dealer goes tragically wrong Mick is sentenced to a brutal juvenile prison where violence is a rite of passage and respect is measured in vengeance.
-6
The Care Bears have their work cut out for them, because Nicolas, a lonely magician's assistant, is about to fall under the evil influence of a bad spirit who lives in an ancient magic book -- it seems Nicolas will do just about anything for friends. Aside from Nicolas, Kim and Jason are in trouble because they are starting not to trust people after suffering many disappointments.
-4
Ten Years ago, Genichiro Izayoi died trying to stop the sorcerer Rebi Ra, and as a result Shinjuku became a playground for demons. And now, the day approaches when Rebi Ra will complete his decade-long ritual to plunge the rest of the world into chaos! As Genichiro's son, it falls to Kyoya to venture into the heart of Shinjuku and put an end to the sorcerer his father couldn't beat. Can Kyoya exceed his father's legacy, or will the demons of Shinjuku create Hell on Earth?
-5
After breaking ties with the Nation of Islam, Malcolm X became a man marked for death...and it was just a matter of time before his enemies closed in. Despite death threats and intimidation, Malcolm marched on - continuing to spread the word of equality and brotherhood right up until the moment of his brutal and untimely assassination. Highlighted by newsreel footage and interviews, this is the story of the last twenty-four hours of Malcolm X. Featuring the music of jazz percussionist Max Roach.
-7
The Pink Panther diamond is stolen once again from Lugash and the authorities call in Chief Inspector Clouseau from France. His plane disappears en-route. This time, famous French TV reporter Marie Jouvet sets out to solve the mystery and starts to interview everybody connected to Clouseau.
-1
Janey is new in town, and soon meets Lynne, who shares her passion for dancing in general, and "Dance TV" in particular. When a competition is announced to find a new Dance TV regular couple, Janey and Lynne are determined to audition. The only problem is that Janey's father doesn't approve of that kind of thing.
1
When Peter Plunkett's Irish castle turned hotel is about to be repossesed, he decides to spice up the attraction a bit for the 'Yanks' by having his staff pretend to haunt the castle. The trouble begins when a busload of American tourists arrive - along with some real ghosts.
-2
First Winter is a 1982 Canadian short film directed by John N. Smith. With the father away, an Irish immigrant family struggle to survive their first winter in the Canadian wild. The film was nominated for an Oscar for Best Live Action Short Film.
-1
Short film by Itaru Kato
0
Two beach combing-shutterbugs accidentally capture a murder on film. Now detectives, the boys set out to capture a murderess shot only from behind, with a rose tattoo on her behind. Fun in the sun turns dangerous when they end up shooting bullets instead of film.
-1
The two-part TV movie Hitler's SS: Portrait in Evil crystallizes that evil by concentrating on two Berlin brothers. In 1931, Helmut Hoffman a brilliant student and self-styled opportunist, joins Hitler's SS. At the same time, his younger brother Karl, a top athlete and idealist, becomes a chauffeur for the "S.A.".
0
Prequel to the first Missing In Action, set in the early 1980s it shows the capture of Colonel Braddock during the Vietnam war in the 1970s, and his captivity with other American POWs in a brutal prison camp, and his plans to escape.
-2
The Tang emperor is betrayed by one of his generals, who installs himself as emperor in the East Capital. The son of one of his slave workers escapes to the Shaolin Temple, learns kung fu, and sets out to kill the traitor who killed his father.
-4
Gallagher's mad as hell but he never shows it, because he's cool as well. He's back in this 1981 special and telling jokes... to prevent his anger from building up.
-2
While working in a diamond mine located in the desert, Bo and Ingrid, two siblings who survived a massacre as children, make a surprising discovery.
-2
The comedy group Firesign Theatre satirizes the old Saturday afternoon cliffhangers by taking clips from many Republic Pictures serials and substituting their own comedy dialogue.
0
A group of explorers surveying an abandoned goldmine are trapped in a cave in, and find themselves at the mercy of a slimy, mysterious creature.
-2
It's Christmas Eve and the playroom is alive with excitement for the new toys that will arrive the next day. Balthazar, the old and wise bear, explains to the other toys that they must welcome the newcomers even though each of them may be replaced as one of the children's new favorite toys.
4
Ace female test pilot Kusomoto Elle humiliates macho tank driver Lt. Kilgore in the first demonstration of the advanced personal battle tank, the MADOX. Kilgore vows revenge, and gets his chance when the army rather carelessly loses the prototype in Tokyo.  The MADOX is found by engineering student Sujimoto Kouji, who doesn't take the time to completely read the manual and ends up zooming around Tokyo trapped in a machine he doesn't quite know how to operate.  Guess who gets the job of stopping the now mobile missing MADOX? Poor Kouji. If he's late for his date, it's over between him and his girlfriend. His current attire redefines the term "over-dressed."  And to top it all off, Kilgore wants to make him late- as in "the late Kouji!"
-4
Jim Henson's Mother Goose Stories was a children's television show hosted by Mother Goose, who tells her three goslings the stories behind well-known nursery rhymes.
1
A concert by stand-up comic Gallagher, featuring his usual plays on words and his patented bizarre use of props, climaxing with his finding a new use for watermelons.
-1
A policewoman tries to help two teenage crack addicts. When she doesn't succeed, and the girls die, she goes after the crack dealers.
-3
The escaped delinquent John W. Burns, Jr. replaces Dr. Maitlin on a radio show, saying he's the psychiatrist Lawrence Baird.
-2
Hard-drinking novelist Zach Hutton spirals out of control after his wife and mistress both leave him. Alone and crippled by a bad case of writer's block, Zach slips in and out of casual relationships and one-night stands, while his drinking becomes more and more severe. With the help of a bartender and his therapist, Zach confronts his demons — women and alcohol.
-5
Sherlock Holmes comes to the aid of his friend Henry Baskerville, who is under a family curse and menaced by a demonic dog that prowls the bogs near his estate and murders people.
-3
Lyon Gaultier is a deserter in the Foreign Legion arriving in the USA entirely hard up. He finds his brother between life and death and his sister-in-law without the money needed to heal her husband and to maintain her child. To earn the money needed, Gaultier decides to take part in some very dangerous clandestine fights.
-2
A live performance by "Sledge-O-Matic" stand-up comedian Gallagher.
0
A nuclear warhead launched by Soviet insurgents protesting the waning Cold War destroys the Ukrainian city of Donetsk. The destruction sets off a race between American and Soviet politicians to prevent a nuclear holocaust. While the U.S. president feverishly works to keep the military and political machine from going into overdrive, various subordinates panic. When the president is believed to be killed in a helicopter crash, zealous advisers take over.
-8
Max's ordinary monster doll comes to life when its shackles are released by a magic key.
0
Cuna de lobos is a Mexican soap opera produced by Televisa and broadcast by Canal de las Estrellas in 1986 to 1987. The serial, about the struggle for power within a wealthy Mexican dynasty, was enormously popular in its native Mexico. It was also a hit in several foreign countries, including the United States, Germany and Australia.

The soap opera starring antagonistically María Rubio as the main villain interpreting the evil "Catalina Creel", with Gonzalo Vega, Diana Bracho, Alejandro Camacho and Rebecca Jones.
0
A father who experiments with his son's psychokinetic powers is unaware that these experiments have released a demon from hell which lives in his son's closet, preparing to take over the young boy's soul.
-2
Doc Jenkins may be one of country music's most beloved stars, but his private life is a wreck. He's split up with his longtime partner, Blackie Buck, a country outlaw with a heart of gold. Doc's singer-wife, Honey Carder, has thrown him out of the house. And now he's gotten involved with a sleazy music manager, Rodeo Rocky, who's out to steal his material. Teaming up with Blackie, Doc takes drastic measures to win back his family and reclaim his songs.
-3
On a remote Caribbean island, Army Ranger Joe Armstrong saves an old friend from the clutches of "The Lion", an evil super-criminal who has kidnapped a local scientist and mass-produced an army of mutant Ninja warriors.
-1
Before his sold-out arena shows and hit cable TV specials, the one and only Andrew Dice Clay took the stage at Philadelphia's Comedy Factory Outlet for an early, uncensored evening of the Diceman's unique observations on modern life and romance.
1
Joe Armstrong, an orphaned drifter with little respect for much other than martial arts, finds himself on an American Army base in The Philippines after a judge gives him a choice of enlistment or prison. On one of his first missions driving a convoy, his platoon is attacked by a group of rebels who try to steal the weapons the platoon is transporting and kidnap the base colonel's daughter.
-1
Desmond's was a British television situation comedy broadcast by Channel 4 from 1989 to 1994. With 71 episodes, Desmond's became Channel 4's longest-running sitcom. The first series was shot in 1988, with the first episode broadcast in January 1989. The show was made in and set in Peckham, London, England and featured a predominantly Black British Guyanese cast.

Conceived and co-written by Trix Worrell, and produced by Charlie Hanson and Humphrey Barclay, this series starred Norman Beaton as barber Desmond Ambrose. Desmond's shop was a gathering place for an assortment of local characters.
0
In the future, two television networks compete for ratings by producing violent game shows. One network produces a modern day version of the Roman gladiators, only on motorcycles instead of chariots, and uses convicted murderers as the participants, The network decides it needs a champion for this sport, so they frame a constant winner from another game for murder, and place him on the show.
0
Sherlock Holmes and Dr. Watson try to track down the Great Mogul, the second-largest diamond in the world.
1
After the start of WW2, a mother takes her children from Sydney to the countryside.
0
When Seiya, Hyōga and Shun visit Saori (Athena) at the orphanage, they meet an employee called Eri. An orphan herself, Eri takes a liking to Hyōga and one night they sit outside watching the stars. They see a shooting star and Hyōga asks Eri to make a wish. After Hyōga leaves, however, Eri becomes powerfully attracted to the shooting star and wanders alone into the woods, where she finds a golden apple. She is then possessed by Eris, the Goddess of Discord, and kidnaps Athena, planning to use the golden apple to suck her energy out, fully reincarnate and take over the world. Eris leaves a message for the Bronze Saints, who set out for the goddess's temple which appears on the mountains. There, the heroes fight the five Ghost Saints: Maya of Sagitta, Orpheus of Lyra, Christ of the Southern Cross, Jan of Scutum (called by the Japanese name Tateza) and Jäger of Orion.
3
A group of dancers congregate on the stage of a Broadway theatre to audition for a new musical production directed by Zach. After the initial eliminations, seventeen hopefuls remain, among them Cassie, who once had a tempestuous romantic relationship with Zach. She is desperate enough for work to humble herself and audition for him; whether he's willing to let professionalism overcome his personal feelings about their past remains to be seen.
4
Cheng, a beautiful martial arts ace, battles to keep her inheritance from the ruthless Yun Wei, but her efforts are sabotaged by Yu Tao, her wayward and irrepressible great-nephew. Following a frenzy of spectacular comic mishaps, the hapless duo are setup and imprisoned and the deeds to Cheng's estate are stolen. She is held hostage after a doomed attempt to reclaim the papers back from Yu Wei's place, and the stage is set for a savage fight to the death.
-8
A ragtag group of people have to fight extermination squads amid their ruined city.
-2
A deranged undertaker kills various people to keep as his friends in his seedy funeral home.
-2
Forty years after the events of the TV series, Remy Shimada, ex-pilot of the GoShogun, suffers a terrible accident while on her way to a meeting with her former robot-piloting comrades. While they rush to the hospital, Remy floats between life and death. She sees visions of her life when she was young, and stranger still, experiences a hallucination of being with her friends, all of them young again, in a mysterious city filled with hostile fanatics.  Far from being the reunion Remy hoped for, a ghastly letter arrives for each member of the team that predicts their gruesome deaths. Slated to die in two days, both in reality and in her dream, Remy struggles to find a way out of the City of Fate, relying on the memories of her friends to see her through, even as they surround her death bed in the waking world.
-14
Comedian Tim Allen shares his enthusiasm for power tools, automobiles, grunting, and the myriad obsessions of the American male in this special for the Showtime premium cable network, which was aired a few years before he rose to stardom with the television sitcom Home Improvement.
3
Sane Man was filmed before Bill recorded ‘Dangerous’, his first comedy album, and is a turning point in Hicks’ career. It was the first complete Hicks show ever filmed and Bill pulled out all the stops for the cameras. Completely focused, a newly-sober Hicks paces the stage like a wild animal riffing effortless.
1
One day, Joe Maya, who lives on Mars, witnesses a battle between  aliens. Those from Planet Zaboom are attacking the princess of Planet  Radorio, she has escaped from the emperor of Zaboom who is scheming to  conquer the universe and has crash landed on mars. Joe stumbles aboard  the princesses ship, this starts a chain reaction of events that will  alter their lives. Joe and his friends wield three powerful mecha beasts  against the emperor of Zaboom and his forces, but the odds are stacked  heavily against them. When all hope seems to be lost a mysterious ninja  robot named Tobikage appears as if from nowhere to provide assitance,  able to combine with the 3 mechanical beasts provides Tobikage with  unmatched power, with his aide Joe fights the forces of Zaboom...
-4
A young man grows up in Sarajevo in the 1960s, under the shadow of his good, but ailing father, and gets attracted by the world of small-time criminals.
-1
The film revolves around a crack squad of female police officers who have to deal with harassment and a lack of respect from their male colleagues, personal issues as well as some serious criminals.
-3
A skilled martial artist tries to get revenge on the thugs who stole her tires and attacked her grandparents.
-2
Students from Miskatonic University decide to spend the night in the Winthrop house, a spot widely believed to have been haunted for the past 300 years, ever since Joshua Winthrop was horribly murdered and mutilated by the hideous creature born of his wife.
-1
Farm boy Daryl Cage's parents ship him off to the big city to live with his brother, hoping he will have a better life there. After a baggage mixup at the airport, Daryl finds himself in possession of a drug cache, which a ruthless drug dealer wants back. The dealer murders Daryl's brother and the small town boy ends up all alone in the big city, being pursued by both the drug dealer and the police, who suspect him of the murder.
-3
In Spain of the 1960s, a poor family of quinquis - a nomadic ethnic group with a tradition as old as that of the gypsises of Spain but with even more obscure origins - have a nomadic life marked by poverty. The son, Eleuterio Sánchez Rodriguez, nicknamed "El Lute", steals some chickens and is condemned to six months in jail.  El Lute moves to the slum outskirts of Madrid with his common law wife, Chelo, starting an itinerant life as a peddler of pots and pans and living in a quinqui shantytown. He gradually embarks upon as life of petty criminality, eventually participating in the theft of a jewelry store during which a bystander is killed.
-8
An axe murderer terrorizes a small Northern California mountain community, while two young computer-obsessed adults attempt to solve the killings.
-2
Although orphaned at very young ages, Scriptwriter Amit and military pilot Shekhar are brothers and also very good friends. The latter is happily engaged to Shobha, while the former has just fallen in love with pretty, young Chandni. But tragedy strikes when Shekhar's plane is shot down in Kashmir. Amit feels it to be his obligation to leave the girl he loves and marry his brother's pregnant fiancée instead. But when, by an unexpected turn, Amit and the now also married Chandni meet again, their love for each other proves to be stronger than their marital vows.
3
The classic comic book characters created by John L. Goldwater are brought to tv in a slightly older version. Here the characters are adults returning to their high school reunion and remembering old times and romances from good old Riverdale High
2
This is the story of a man fighting with all his might for his life and his freedom. Eleuterio (”El Lute”) embarks upon an action-packed future, fuelled by the notions of freedom and dreams of living just as his countrymen, ever-growing in his mind. Nothing and no-one can stop him. After escaping the Puerto de Santa María prison, the reunion with his family is just the beginning of what will become an endless escape.
1
This made-for-video production mixes highlights of Michael Jordan from the '80s with a fantasy storyline of a high school teen named Walt, who has been cut from his basketball team. Doubting his abilities, Walt gets some lessons from Michael Jordan himself, on the magical Playground known as Michael Jordan's Playground.
1
Those Lemon Popsicle boys are at it again!..Naughtier than ever in...
-1
A rich boy marries a girl who turns out to be a cursed serpent.
0

0
In a bloody beginning, a pair of stylish Japanese thieves steal some valuable gems. In a harrowing scene, during their escape, they kill the partner of a ruffled detective (think Columbo with a Chuck Barris hairdo). The detective swears revenge, and the thieves played by the athletic and lovely Michiko Nishiwaki and her terminally ill partner/lover played by Stuart Ong plan on going to Hong Kong, sell the loot, and buy weapons for the Red Army. All the while Cynthia, a rookie cop in Hong Kong, tries to get in on the action of the task force she has been assigned to, but unfortunately her superior is her uncle who wants to keep her out of harms way. The Japanese thieves and the detective trailing them, all make their way to Hong Kong, and Cynthia ends up entangled in the same mess with the detective, trying to bring the cold blooded and desperate thieves to justice. People on both sides are killed, leading to crossed paths of personal revenge, everyone out for each others blood.
-6
Rajni's daughter Neelam continues the curse that turns her into a serpent.
-1
A teenage girl becomes infatuated with a stranger who is, unbeknownst to her, a serial killer.
-2
A bail bondman hires three L.A. bounty hunters to protect a wealthy heiress, after her ex-boyfriend with connections to a drug cartel is murdered. When the heiress is abducted and taken to the cartel's Mexican hideout, the trio heads south to rescue her in time for her to testify against her ex-boyfriend's killers.
1
As a result of General George S. Patton's (George C. Scott) decision to use former Nazis to help reconstruct post-World War II Germany (and publicly defending the practice), General Dwight Eisenhower (Richard Dysart) removes him from that task and reassigns him to supervise "an army of clerks" whose task is to write the official history of the U.S. military involvement in World War II. Shortly thereafter, on December 9, 1945 (a day before he was to transfer back to the United States), Patton is involved in an automobile accident that seriously injures his spinal column, paralyzing him. As he lies in his hospital bed, he flashes back to earlier pivotal moments in his life, including stories his father told him of his grandfather's service during the American Civil War which inspired him to attend the United States Military Academy at West Point, his marriage to his wife Beatrice (Eva Marie Saint), and his championing of the use of tanks in the United States Army.
-1
After being dismissed from his employment as a newspaper editor, for writing against S.K. Vardhan, a influential politician and underworld don, Vinod Kumar, re-locates to the slums of Bombay, and starts his own publication. He soon runs into problems with the local street-gangs, one of which is headed by the notorious Raja. Vinod adopts a positive approach, and this brings out the best in Raja, who even manages to take Vinod's wife, Sudha, to hospital, risking his life, during a Bombay Bandh. Raja then decides to go straight, give up his gang, and study further, encouraged by girlfriend, Geeta. He leaves the slums to upgrade. Several months later, he returns back, anxious to get working with Vinod and his publication, only to find that Vinod is now a criminal don, who has no interest whatsoever in any publication, nor in Raja.
-1
Get an inside look at Michael at home, on the golf course and in the air. Features rare footage from his days at the University of North Carolina. Relive spectacular highlights from his NBA career and All-Star games. Enjoy slam dunks, gravity defying shots and more!
2
World Chess Champion Akiva Liebskind (Michel Piccoli) faces his former pupil Pavius Fromm (Alexandre Arbatt), who defected to the West from the Soviet Union five years earlier, for the World Chess Championship in Geneva, Switzerland. The tension and strategies between the players draw parallels to the political conflicts and ideologies between East and West during the Cold War.
-2
A rock star-turned-bum, his vocal chords severed at the height of his career for the love of a woman, drunkenly roams the city, torn apart by sponsored race riots. When accused of murder, he may have the chance to get revenge on the magnate who maimed him.
-1
From master storyteller and best-selling author, Ken Follett, comes the exotic spy-thriller based on true events.  North Africa, Summer of 1942 — master spy, Alex Wolff is on a mission to send General Erwin Rommel's advancing army the secrets that would unlock the doors to Cairo... and the ultimate Nazi triumph in the war. Wolff's pursuer, Major Vandarn, engages the seductive charm of Elene Fontana to lure him into range for what is to be a startling and explosive confrontation.
1
The poor ghost of Sir Simon Canterville has been roaming his castle searching in vain for a brave descendant who will release him from the Canterville curse by performing a brave deed. An American family moves in and finds the ghost amusing, but a young girl in the family can release him - if she dares!
0
A popular high school student seems to have it all; a spot on the football team, the love of playing music in the school orchestra and a girlfriend.  His world seems to come apart when the school doctor discovers he is partially deaf, causing him to be cut from the football team on the advice of the doctor.  The student's friends fight to keep him on the team; while he struggles with his problem by withdrawing from everything he loves and starts falling in with the wrong crowd.
-2
Quilombo dos Palmares was a real-life democratic society, created in Brazil in the 17th century. This incredibly elaborate (and surprisingly little-known) film traces the origins of Quilombo, which began as a community of freed slaves. The colony becomes a safe harbor for other outcasts of the world, including Indians and Jews. Ganga Zumba (Toni Tornado) becomes president of Quilombo, the first freely elected leader in the Western Hemisphere. Naturally, the ruling Portuguese want to subjugate Zumba and his followers, but the Quilombians are ready for their would-be oppressors. The end of this Brave New World is not pleasant, but the followers of Zumba and his ideals take to the hills, where they honor his memory to this day. Writer/director Carlos Diegues takes every available opportunity to compare the rise and fall of Quilombo with the state of affairs in modern-day Brazil.
4
Based on the true story of Richard "The Night Stalker" Ramirez who terrorized California in 1985 and the two Los Angeles police detectives who try to track him down.
0
Two thieves rob a large fancy house when the owner is away. But when a visitor mistakes them for the owner, and they find out about a casting party mis-scheduled for that day, they decide to stick around for the fun. There's only one small problem, a little glitch in their plan. The real owners owe some bad dudes a lot of money, and they show up to collect.
-2
The Space Kittens Pozi and Nega gave  little Yu a magic baton and for a year she possessed the power to transform into grown up idol singer Creamy Mami and use her magic for good. Sometimes her powers caused more problems than they solved, and though everything worked out well she finally returned the baton. Ever since, Mami has been absent from the music scene, but suddenly her return is announced in  a blaze of publicity. Yu and her friends uncover a campaign by bad boy Shingo to deceive the singer's many fans.
3
The heroes in The Black Godfather are members of an African-American criminal organization. Like Brando in The Godfather, they're not averse to robbery and murder, but they do draw the line at narcotics. When the Mafia infiltrates the 'hood with dangerous drugs, the Black Godfather (Rod Perry) orders his minions to put an end to this perfidy.
-2
In Los Angeles, photographer Peter Mitchell learns that he has inherited a palatial estate in Sweden from his unknown relative, Annie Holst. He, his girlfriend Sarah, and her deaf son Dennis, head overseas to decide whether to live in the property or to sell it. But when they arrive, they find the locals offer a chilly reception whenever Annie's name is mentioned. It turns out that Annie had lost her son some 50 years ago in a tragedy at the nearby orphanage where she had placed him temporarily, due to circumstances beyond her control. But she had continued to see her son even after his death. Now, young Dennis is drawn to the derelict orphanage, and to a new friend who only he can see. And Peter must solve a decades-old mystery of how the orphans died before his family faces a similar fate.
-8
Three weeks have gone by since the alien spaceship crash landed on the Graviton City spire, and since then the aliens have been hard at work converting their ship to a pleasure district, hoping to make friends with the humans!… Not.  Perpetually late and continually over-eating A-ko, spacy and cheerful C-ko, and brilliant and bold B-ko are about to enter summer break from school, and it just so happens the alien ship is open for business. When a free meal turns into a sob story about how the aliens just want to go home, will it be A-ko or B-ko who can get the ship into orbit again?
1
An astronaut's widow and her young son meet a stranger from the future on a Greek island.
-1
Seth Dhanpath Rai (Sanjeev Kumar) is the country's most powerful smuggler who is surrounded by his fortress of power and money. Then one fine day, his daughter Sonia (Poonam Dhillon) falls in love with Ravi Malhotra (Shashi Kapoor), a police officer and wants to marry him. Dhanpath Rai very soon realizes that his son Vicky (Randhir Kapoor) has also taken a path that goes against the one he travels. Vicky has been engaged with a pretty but poor girl (Swaroop Sampat). Now the question begins to haunt Seth Dhanpat rai - "What is more important? His children's happiness or what he is, i.e. power and money.". Dhanpath Rai's question is answered soon. At the end Seth Dhanpath Rai finds true wealth in his life.
3
In a small village in Darjeeling, Sahuji the merchant has weaved a web of corruption in every layers of the social fabric.  And he is also involved in rampant smuggling of goods across the border, and everyone from the local jeweler to the local police inspector are part of his intricate web.  While the father has created a position of influence by spreading corruption, his son Kaaliram has ushered in a reign of terror. Desperate villagers make a plea to the owner of the tea garden, who calls (presumably) the higher ups in police force and they promise to send someone.
-3
A widow thinks she's ready for a new romance with her high school sweetheart, a physician of considerable means. The only thing standing in the way of rekindling this first love is the presence of his very attractive, very together 37-year-old girlfriend.
4
A fashion photographer gets embroiled in a series of grisly murders.
-3
A rich woman becomes paranoid after losing her daughter to a so-called Kabuki Killer.
-2
A group of American Army nurses are captured by the Japanese in April 1942 and spend three years in a prisoner-of-war camp in Bataan. Lt Margaret Ann Jessup, the head army nurse, survives the camp and testifies against the Japanese in front of the United States Congressional subcommittee years later as a colonel.
0
Vijay is a story about various characters that are bound by relationships of love and friendship. How they become foes and take up weapons against each other. When Arjun and Vicky meet, they are oblivious to the fact that they are cousin brothers.
-1
The plot concerns two documentary film students who travel to a small, isolated town in the middle of nowhere to film a documentary about murders that occurred there. Soon they are stalked by someone who is afraid the students are getting to close to a close guarded secret in the town that led to the murders.
-5
In a desolate section of the Sahara once ruled by the French, two thirsty men stumble into the camp of a Tuareg warrior where they're given water and shelter. Soldiers from the new Arab government now arrive by Jeep and demand the two men be turned over to them. The warrior refuses, citing the sacred laws of hospitality. The soldiers shoot dead one of the men and carry off the other - a political foe of the new government. The warrior mounts his camel and rides off to rescue his kidnapped guest.
-5
The eldest daughter of a pioneer family is kidnapped by a mysterious Indian tribe and the eldest son pursues. In order to win back his sister's freedom, he must sacrifice his own life by passing the test of "Crooked Sky" and shield his sister from an executioner's arrow. Along the way, he recruits a broken down, drunk prospector to help him track down the unknown tribe and rescue his sister
-3
The problems faced by both teenagers and adults in a small Minnesota town who are trying to get dates for a Saturday night.
-1
When senior police inspector Vishwa Pratap Singh arrests Dr. Michael Dang, the leader of the international terrorist group PSO, the group blast the jail Dang is lodged in killing huge numbers of inmates including two of Vishwa's sons and his daughter-in-law; with Dang escaping in the process. Vishwa, who now calls himself Dada Thakur, is determined to put an end to Dang and his PSO gang. He enlists three death row inmates, Baiju Thakur, Johnny and former terrorist Khairuddin Kisti, Thakur personally trains to become disciplined fugitive hunters, and sets out to avenge his family's slaughter.
-5
A live performance by "Sledge-O-Matic" stand-up comedian Gallagher.
0
The challenging and spirited early life of cinema's first great comedic artist, Charlie Chaplin, is portrayed. The innately talented young Charlie must overcome a wayward life of poverty and familial chaos to reach the pinnacle of stardom.
0
A remake of the Telugu film Erra Mallelu (1981), it revolves around two men starting a revolution against their village chiefs and the owner of a factory in the neighbouring village. Sathyanathan, Punyakodi and their partners are an atrocious lot. They keep suppressing the villagers and do not even allow them to get proper education due to fear of losing control over the village. On the other hand, Ranga and Tyagu are honest factory workers who lead the fight against the factory owner for the labourers' rights.
1
A failing television station is bought out by a slick TV evangelist and starts making mountains of money in the guise of religious programming, which is actually just an excuse to sell merchandise.
-1
1984 Bollywood romantic drama.  India's caste system keeps lovers Rajeshwar and Bharati apart, but their struggles take a backseat when a second pair of lovers, Tilak and Rani, become wrapped up in accusations of murder.
0
A teenage girl living in 1908 rural Indiana attends high school despite her mother's fierce opposition of her life, the friendship of a free-spirted older woman helps her stick to her goals.
-2
A little girl comes from her village to Bombay to find her father. She meets Vikram a kind hearted person who could help her. But Vikram is helpless as she doesn't know her father's name nor has his photograph.
-1
Vijay and Chandni are in love. Her father does not approve.
2
The story begins with Arjun  being arrest for multiples crimes. In the past, Arjun was an happy-go-lucky young man. His brother , a factory's union leader, clashed with his superiors for bonus. In the meantime, Arjun fell in love with Radha. To help the labourer, Arjun cheated the factory's owners as a fake income tax officer, he managed to take all their black money and he gave it to the labourers. Later, Arjun's brother, sister-in-law and his niece was killed. In angry, he tried to kill the culprit and failed. Siva Prasad , r, advised him to surrender but, as an innocent, he refused. However, Siva Prasad arrested him by surprise. Arjun was tortured and his head was shaved. Therefore, a bald Arjun comes at the court. Despite everything was against Arjun, the judge Ram Prakash  feels that he is innocent. So Ram Prakash sentences that Arjun will be under house arrest in his isolated island.
-10
The film is based on the life of Razia Sultan (1205–1240), the only female Sultan of Delhi (1236–1240) and her speculated love affair with the Abyssinian slave, Jamal-ud-Din Yakut.  Razia Sultan is 1983 Urdu film, written and directed by Kamal Amrohi, and starring Hema Malini, Parveen Babi and Dharmendra in lead roles.  The film's music was provided by Khayyam, with lyrics by Jan Nisar Akhtar and two songs by Nida Fazli who walked into the project when Akhtar died. Some songs were sung by Lata Mangeshkar, including classics like, "Aye Dil-e Nadaan".
2
Once upon a time, a King had eleven sons and one daughter. When his wife, the Queen, died, the King remarried. The new wife and the children's stepmother looks beautiful on the outside, but actually she's an evil witch. She sends the young princess Eliise to live in the village as an ordinary peasant girl and turns all the princes into wild swans. The princes are stuck being swans all day long and only at night can they regain their true form. When Eliise is 15 years old, she learns about the fate of her brothers and now she must overcome the obstacles put in her way by her stepmother in order to release her brothers from the spell.
-4
Set in Curacao in the 1940s, Ava & Gabriel: A Love Story tells of the painter Gabriel Goedbloed, who arrives from Holland to paint a mural of the Virgin Mary in a local church. Gabriel is black, originally from Surinam. The colonial Antillian society proves less than tolerant towards him, especially after he chooses as his model a young Black teacher, Ava
1
Babu is a naive young man who likes to go out of his way to help people. He has fallen in love with Kammo, but in the process of helping another, he lands himself in jail for two years. After his discharge, he finds that a lady who had once helped him is now a destitute widow with a small child, Pinky.
1
Tohfa (English: Gift) is a 1984 Bollywood drama film produced by D. Rama Naidu on Suresh Productions banner, directed by K. Raghavendra Rao. Starring Jeetendra, Jaya Prada, Sridevi in the lead roles and music composed by Bappi Lahari.[1] The film is a remake of Telugu movie Devata (1982). The film became a hit and took the top spot at the box office in 1984.
2
Inspector Jhansi is an honest police officer. Her brother Ravi falls in love with her rival's daughter. When the girl's father comes to know about his daughter's relationship, he is enraged.
-1
A girl who discovers paintings and books of another student from her college, and is fascinated by them, is shocked when she learns of his suicide. When his ghost comes into her life and shares his tragic past, she falls in love with him.
-3
Soorakottai Singakutti · Ramanarayanan · AVM Productions · Ilayaraja · Prabhu, Silk Smita, Prameela · Soorapuli · Venkat · T. Raman · Shankar Ganesh · Prabhu
0
The film centers on an emotional kayaking trip between a father and a son. The father has taken his boy into the deep Alaskan wilderness to tell him that he is divorcing the boy's mother, who is pregnant and waiting for them back home. While on the trip, the father and son get involved in a potentially fatal accident. Fortunately, an enigmatic mountain man appears to save them. Later he helps the troubled twosome find hope and salvation through God. Meanwhile, the wife, also finds a new life through old-time religion and happiness ensues all around.
0
A Super Hit Tamil Comedy Romantic Emotional Drama Film. Ramki is a happy go lucky guy. When he is about to get married, Gowthami stops his marriage. Gowthami informs that she lied to stop Ramki's marriage as she wants him to help his innocent parents Jai Ganesh and Srividya to come out of jail.
3
A live performance by "Sledge-O-Matic" stand-up comedian Gallagher.
0
Businessman Gopinath abandons Shanti, his first love, to marry a rich heiress. Later, Bharath, Gopinath and Shanti's illegitimate son, seeks revenge from him for the injustice meted out to his mother.
-1
Poovizhi Vasalile is a 1987 Indian Tamil suspense and thriller film directed by Fazil starring Sathyaraj and Sujitha in lead roles.
1
Raja, a young man, is determined to avenge the death of his mother and sister. But, his friend, a law abiding police officer, does not want Raja to take law into his own hands.
-2
A middle class home- maker woman gets rid of the social handcuffs and stands tall in the male- chauvinist society.
0
An acid-scarred judge turns masked avenger, backed by an electronics expert and her crime lab.
-1
Nadigan (English: Actor) is a 1990 Tamil film directed by P Vasu. The film stars Sathyaraj in the lead role pairing with Kushboo Sundar.[2] The film released with largely positive reviews and was declared a blockbuster. The film was a remake of Hindi film Professor
3
Shankar Guru is a 1987 Indian Tamil film, directed by Raja and produced by M. Saravanan and M. Balasubramanian. The film stars Arjun, Seetha, Sasikala and Baby Shalini in lead roles. The film had musical score by Chandra Bose.
1
The Haunting of Barney Palmer is a fantasy film for children about a young boy who is haunted by his great uncle. Young Barney fears that he has inherited the Scholar family curse; a suite of 80s-era effects ramp up the supernatural suspense. The film was a co-production between PBS (United States) and Wellington's Gibson Group, which resulted in Ned Beatty (Deliverance, Network) being cast. It was written by Margaret Mahy, based on her Carnegie Award-winning novel The Haunting, and an early fruitful collaboration between her and director Yvonne Mackay.
-2
Overview Coming Soon...
0
Lakshmi and Raja fall in love and decide to get married. But on the day of the marriage, Raja is accused of murdering a woman.
0
Charlie is a 16-year-old orphan struggling to raise her two younger brothers when she endeavors to train a wild horse she names Sylvester and turn him into an Olympic jumping champion.
-2
A man is arrested for stealing at a very young age; upon being released from the prison, he learns about his orphaned sister and circumstances force him to become a habitual offender.
-3
A schoolteacher falls in love with an uneducated rowdy villager in order to prove that love can change the heart of even the most despicable person alive.
0
A look at the dangerous and bizarre life of an undercover cop who lives on the edge and the strife and heartbreak that comes with the job. There is also a tremendous amount of guilt and psychological pain when when an undercover sting goes bad and they lose a comrade in the line of duty.
-8
A small California farming community gets caught up in the bloody grip of big city crime and corruption.
-3
K. Bhagyaraja and Sulakshana star as two people committed by their families to an arranged marriage. As the would-be groom faithfully courts his fiancée, the two fall in love. But when the families disagree on the dowry, both sides are incensed, and the lovers' marriage is forbidden. Now, the dejected fiancé must find a way to marry his beloved. K. Bhagyaraja directs this popular Kollywood romance drama co-starring M.N. Nambiar.
1
Bollywood 1990
0
In the same vein as Cain and Abel, here we have two brothers, one a renegade cop and the other a murderer with a taste for little boys. The brothers come to blows, from which only one can walk away.
-2
Through a secret program called the Counter Intelligence Program (COINTELPRO), there was a concerted effort to subvert the will of the people to avoid the rise "of a Black Messiah" that would mobilize the African-American community into a meaningful political force.  This documentary establishes historical perspective on the measures initiated by J. Edgar Hoover and the FBI which aimed to discredit black political figures and forces of the late 1960's and early 1970's.  Combining declassified documents, interviews, rare footage and exhaustive research, it investigates the government's role in the assassinations of Malcolm X, Fred Hampton, and Martin Luther King Jr. Were the murders the result of this concerted effort to avoid "a Black Messiah"?
-1
Two sisters assess the rival merits of an arranged marriage to a groom of their father's choosing, and a love marriage.
1
Narya is thrown out of his village for being unlucky. Later, the villagers try to trace him as he could bring luck to his village.
0
Elayne Boosler's first Showtime stand-up comedy special.
0
Five women on vacation in Sunnyville, FL are stalked by a hooded cannibal killer recently escaped from a mental institution. A gory, seminal Super-8 epic from Tim Ritter.
-2
Aamhi Dogha Raja Rani is a Marathi movie released in 1986. The movie produced by Prem Chitra and directed by Kamlakar Torne is a fun-filled love story of an unemployed youth and his jobless girlfriend.
-1
A small village is terrorized by a Taklya Haiwan. Inspector Mahesh gets transfered over and also gets the support of a local journalist Lakshya to free the village from its fear.
1
Country singer Joe Hawkins must fight both drug addiction and his unscrupulous manager to get back on his feet.
-1
Film directed by Rajasekhar
0
One of the most well-known stories begins one golden summer afternoon. Alice is sitting on a riverbank with her sister when a fully-dressed, talking rabbit runs past her. She follows the rabbit down the hole and enters a nonsensical world where it seems the normal rules of logic do not apply. In Wonderland, Alice participates in a winner-less race, alternates between being tiny and giant, hears riddles at a "mad" tea party, plays croquet with live flamencos, and attends a trial where the Knave of Hearts is accused of stealing the Queen's tarts. Join Alice as she encounters the Hatter, the Cheshire Cat, and others as she makes her way through Wonderland.
-1
Ek Aur Ek Gyarah is an action thriller, released in the year 1981. The film was directed by Ashok Rao and produced by Ram Pratap Sharma. The lyrics were written by Majrooh Sultanpuri. The cast includes Shashi Kapoor, Neetu Singh, Raza Murad, Vinod Khanna, Zarina Wahab, Prem Chopra and Omprakash.
0
Narendran, a stern father hates his children for being sluggish. His friend Karnan vows to bring out their talents through his training. Banu becomes a journalist and stands against his father.
-2
80's comedian Gallagher lets his opinions, and his Sledge-O-Matic fly.
0
An ex-convict police officer, jailed for sexually molesting a woman, now works as a night watchman.
1
The story of Stargate SG-1 begins about a year after the events of the feature film, when the United States government learns that an ancient alien device called the Stargate can access a network of such devices on a multitude of planets. SG-1 is an elite Air Force special operations team, one of more than two dozen teams from Earth who explore the galaxy and defend against alien threats such as the Goa'uld, Replicators, and the Ori.
0
Will Hunting has a genius-level IQ but chooses to work as a janitor at MIT. When he solves a difficult graduate-level math problem, his talents are discovered by Professor Gerald Lambeau, who decides to help the misguided youth reach his potential. When Will is arrested for attacking a police officer, Professor Lambeau makes a deal to get leniency for him if he will get treatment from therapist Sean Maguire.
-1
A burger-loving hit man, his philosophical partner, a drug-addled gangster's moll and a washed-up boxer converge in this sprawling, comedic crime caper. Their adventures unfurl in three stories that ingeniously trip back and forth in time.
-1
The adventures of a group of Texas teens on their last day of school in 1976, centering on student Randall Floyd, who moves easily among stoners, jocks and geeks. Floyd is a star athlete, but he also likes smoking weed, which presents a conundrum when his football coach demands he sign a "no drugs" pledge.
0
The office politics and interpersonal relationships among the staff of WNYX NewsRadio, New York's #2 news radio station.
0
A twice-divorced mother of three who sees an injustice, takes on the bad guy and wins -- with a little help from her push-up bra. Erin goes to work for an attorney and comes across medical records describing illnesses clustered in one nearby town. She starts investigating and soon exposes a monumental cover-up.
0
In this anime anthology, a salvage ship crew happens upon a haunted vessel in "Magnetic Rose"; a cold tablet turns a lab worker into a biological weapon in "Stink Bomb"; and an urban populace carries on an endless war with an unseen foe in "Cannon Fodder."
-4
One day at work, unsuccessful puppeteer Craig finds a portal into the head of actor John Malkovich. The portal soon becomes a passion for anybody who enters its mad and controlling world of overtaking another human body.
1
A card shark and his unwillingly-enlisted friends need to make a lot of cash quick after losing a sketchy poker match. To do this they decide to pull a heist on a small-time gang who happen to be operating out of the flat next door.
-3
Picket Fences is an American television drama about the residents of the town of Rome
-1
Charlie Simms is a student at a private preparatory school who comes from a poor family. To earn the money for his flight home to Gresham, Oregon for Christmas, Charlie takes a job over Thanksgiving looking after retired U.S. Army officer Lieutenant Colonel Frank Slade, a cantankerous middle-aged man who lives with his niece and her family.
-1
Raised in a secret facility built for experimenting on children, Jarod is a genius who can master any profession and become anyone he has to be. When he realizes as an adult that he's actually a prisoner and his captors are not as benevolent as he's been told, he breaks out. While trying to find his real identity, Jarod helps those he encounters and tries to avoid the woman sent to retrieve him.
1
Police drama set in New York City, exploring the internal and external struggles of the fictional 15th precinct of Manhattan. Each episode typically intertwined several plots involving an ensemble cast.
-3
Dawson's Creek is an American teen drama that portrays the fictional lives of a close-knit group of teenagers through high school and college.
-1
Young, urban newlyweds Paul and Jamie Buchman try to sustain their marital bliss while sidestepping the hurdles of love in the '90s.
2
Will Truman and Grace Adler are best friends living in New York, and when Grace's engagement falls apart, she moves in with Will. Together, along with their friends, they go through the trials of dating, sex, relationships and their careers, butting heads at times but ultimately supporting one another while exchanging plenty of witty banter along the way.
4
During the trial of a man accused of his father's murder, a lone juror takes a stand against the guilty verdict handed down by the others as a result of their preconceptions and prejudices.
-4
Satsuki and Keiichirou Miyanoshita are two siblings recovering from the loss of their mother. After moving to their mother's hometown, they learn that the local school they have transferred is said to be haunted. Despite brushing it off as a silly rumor, the two soon discover that ghosts are indeed real.
-3
Ben Sanderson, an alcoholic Hollywood screenwriter who lost everything because of his drinking, arrives in Las Vegas to drink himself to death. There, he meets and forms an uneasy friendship and non-interference pact with prostitute Sera.
-3
In this Shakespearean farce, Hero and her groom-to-be, Claudio, team up with Claudio's commanding officer, Don Pedro, the week before their wedding to hatch a matchmaking scheme. Their targets are sharp-witted duo Benedick and Beatrice -- a tough task indeed, considering their corresponding distaste for love and each other. Meanwhile, meddling Don John plots to ruin the wedding.
-1
The story of the ascension to the throne and the early reign of Queen Elizabeth the First, the endless attempts by her council to marry her off, the Catholic hatred of her and her romance with Lord Robert Dudley.
-1
Felicity Porter, a sensitive and intelligent girl from the San Francisco Bay Area, decides to give up a slot at Stanford University's pre-med program to follow her long time crush to college in New York City. Things get even more complicated when she meets her dorm's resident advisor and they fall in love.
1
The peaceful existence of a suburban backwater is disrupted when Wesley, a troubled housepainter falls for Margaret, the sensitive wife of his boss, Willie. In a small town nothing stays a secret for long however, and as each becomes more suspicious of the other underlying tensions culminate in a bizarre orgy of violence.
-3
Ally McBeal is a young lawyer working at the Boston law firm Cage and Fish.  Ally's lives and loves are eccentric, humorous, dramatic with an incredibly overactive imagination that's working overtime!
2
Tales from the Cryptkeeper is an animated series aimed at children made by Nelvana Limited, PeaceArch Entertainment, kaBOOM! Entertainment and Warner Bros. Television Animation. It was shown on TVO and ABC, and is still shown near Halloween on Teletoon. It was based on the live-action television show, Tales from the Crypt, which aired concurrently on HBO. Being directed at children, Tales From the Cryptkeeper was significantly milder than the live-action HBO version.

The series was cancelled on December 10, 1994. In 1999, the show returned to the air as New Tales from the Cryptkeeper. The animation was different from that of the previous episodes.
-1
The Man from Snowy River is an Australian television series based on Banjo Paterson's poem "The Man from Snowy River". Released in Australia as Banjo Paterson's The Man from Snowy River, the series was subsequently released in both the United States and the United Kingdom as Snowy River: The McGregor Saga.

The television series has no relationship to the 1982 film The Man from Snowy River or the 1988 sequel The Man from Snowy River II. Instead, the series follows the adventures of Matt McGregor, a successful squatter, and his family. Matt is the hero immortalized in Banjo Paterson's poem "The Man from Snowy River", and the series is set 25 years after his famous ride. The first season was very much a soap opera with several story arcs, but the primary one concerns the arrival of Matt's American nephew, who's bent on revenge, certain Matt cheated his father out of the station Matt now owns. In subsequent seasons, there were shorter story-arcs, often featuring guest stars over a few episodes, and some episodes stood entirely on their own. Stars and guest stars of the series included notables and future notables Andrew Clarke, Guy Pearce, Josh Lucas, Victoria Tennant, Olivia Newton John, Tracy Nelson, Lee Horsley, Dean Stockwell, Chad Lowe, Jane Badler, Wendy Hughes, Hugh Jackman, and Frances O'Connor.
-1
One day in 1984, Todd Bowden, a brilliant high school boy fascinated by the history of Nazism, stumbles across an old man whose appearance resembles that of Kurt Dussander, a wanted Nazi war criminal. A month later, Todd decides to knock on his door.
-2
Dharma & Greg is an American television sitcom that aired from September 24, 1997, to April 30, 2002.

It stars Jenna Elfman and Thomas Gibson as Dharma and Greg Montgomery, a couple who got married on their first date despite being complete opposites. The series is co-produced by Chuck Lorre Productions, More-Medavoy Productions and 4 to 6 Foot Productions in association with 20th Century Fox Television for ABC. The show's theme song was written and performed by composer Dennis C. Brown.

Created by executive producers Dottie Dartland and Chuck Lorre, the comedy took much of its inspiration from so-called culture-clash "fish out of water" situations. The show earned eight Golden Globe nominations, six Emmy Award nominations, and six Satellite Awards nominations. Elfman earned a Golden Globe in 1999 for Best Actress.
6
A drug pusher grows increasingly desperate after a botched deal leaves him with a large debt to a ruthless drug lord.
-3
A briefcase with undisclosed contents – sought by Irish terrorists and the Russian mob – makes its way into criminals' hands. An Irish liaison assembles a squad of mercenaries, or 'ronin', and gives them the thorny task of recovering the case.
-2
RoboCop: The Series is a 1994 television series based on the film of the same name. It stars Richard Eden as the title character. Made to appeal primarily to children and young teenagers, it lacks the graphic violence that was the hallmark of RoboCop and RoboCop 2. RoboCop has several non-lethal alternatives to killing criminals, which ensures that certain villains can be recurring. The OCP Chairman and his corporation are treated as simply naïve and ignorant, in contrast to their malicious and immoral behavior from the second film onward.
-4
Jackie Chan teams up in this animé-style adventure with his 11-year-old niece, Jade, traveling the globe to locate a dozen magical talismans before the sinister Dark Hand does. Helping Jackie and Jade is Uncle, a cantankerous but wise antiquities expert. Though officially Jackie works as an archaeologist, in reality he also assists Captain Black, leader of the covert police squad Section 13.
2
In late 1940s Los Angeles, Easy Rawlins is an unemployed black World War II veteran with few job prospects. At a bar, Easy meets DeWitt Albright, a mysterious white man looking for someone to investigate the disappearance of a missing white woman named Daphne Monet, who he suspects is hiding out in one of the city's black jazz clubs. Strapped for money and facing house payments, Easy takes the job, but soon finds himself in over his head.
0
As a notorious serial killer is being driven to his execution, the truck carrying him encounters a bizarre accident that transforms him into a mutant snowman. The sheriff who originally caught the psychopath has remained concerned about his return, and it seems that his fears were well-founded. Before long, bodies pile up, all killed in gruesome wintry ways. Can the sheriff stop the murderer's icy reign of terror?
-9
A highly-evolved planet, whose denizens feel no emotion and reproduce by cloning, plans to take over Earth from the inside by sending an operative, fashioned with a humming, mechanical penis, to impregnate an earthling and stay until the birth. The alien, Harold Anderson, goes to Phoenix as a banker and sets to work finding a mate. His approaches to women are inept, and the humming phallus doesn't help, but on the advice of a banking colleague, he cruises an AA meeting, meets Susan, and somehow convinces her to marry. The clock starts to tick: will she conceive, have a baby, and lose Harold (and the child) to his planet before he discovers emotion and starts to care?
-3
Ace Ventura: Pet Detective is an animated television series based on the film of the same name. The series was produced by Morgan Creek Productions and Nelvana for Warner Bros. Studios. It aired for two seasons from 1995 to 1997 on CBS. A third season and reruns of previous episodes aired on Nickelodeon from 1999 to 2000.
0
SIRIUS 6B, Year 2078. On a distant mining planet ravaged by a decade of war, scientists have created the perfect weapon: a blade-wielding, self-replicating race of killing devices known as Screamers designed for one purpose only -- to hunt down and destroy all enemy life forms.
-2
Sweet Valley High is an American comedy-drama series
1
The show revolves around the lives of 8-year-old Arthur Read, an anthropomorphic aardvark, his friends and family, and their daily interactions with each other.
0
An idle part-time college lecturer is annoyed by the yapping sound of a nearby dog. He decides to take drastic action.
-3
In 1429 a teenage girl from a remote French village stood before her King with a message she claimed came from God; that she would defeat the world's greatest army and liberate her country from its political and religious turmoil. Following her mission to reclaim god's diminished kingdom - through her amazing victories until her violent and untimely death.
2
A provocative legal drama focused on young associates at a bare-bones Boston firm and their scrappy boss, Bobby Donnell. The show's forte is its storylines about “people who walk a moral tightrope.”
-1
Tired of the crime overrunning the streets of Boston, Irish Catholic twin brothers Conner and Murphy are inspired by their faith to cleanse their hometown of evil with their own brand of zealous vigilante justice. As they hunt down and kill one notorious gangster after another, they become controversial folk heroes in the community. But Paul Smecker, an eccentric FBI agent, is fast closing in on their blood-soaked trail.
-6
When her mother is killed in a mysterious house fire, rebellious teen Debbie Strand is sent to live with her grandmother, where she becomes even more unhinged. She develops an intense crush on her hunky creative writing teacher, Peter Rinaldi, but her numerous attempts at seduction end in failure. Soon Peter's friends start turning up dead, and he fears that his fiancée, Marilyn, may be Debbie's next victim.
-7
The Million Dollar Hotel starts with a jump from a roof top that clears up a death in a hotel that was burning to the ground where a lot of strange people had been living.
-1
Psychopath Debbie Strand escapes from a mental institution for the criminally insane and takes the identity of a co-ed she meets and sets herself up on a college campus where she once again begins killing students who get in the way of her obsession with her former high school teacher Sam Deckner now teaching at the college.
-1
Raj is a rich, carefree, happy-go-lucky second generation NRI. Simran is the daughter of Chaudhary Baldev Singh, who in spite of being an NRI is very strict about adherence to Indian values. Simran has left for India to be married to her childhood fiancé. Raj leaves for India with a mission at his hands, to claim his lady love under the noses of her whole family. Thus begins a saga.
1
Intergalactic bounty hunters Iria and Bob return to track down an ancient mystical relic. When a second Zeiram unit shows up and goes berserk, it takes all of Iria's resources to survive a deadly game of cat-and-mouse with the fearsome space creature.
-3
Forever Knight is a Canadian television series about Nick Knight, an 800-year-old vampire working as a police detective in modern day Toronto. Wracked with guilt for centuries of killing others, he seeks redemption by working as a homicide detective on the night shift while struggling to find a way to become human again. The series premiered on May 5, 1992 and concluded with the third season finale on May 17, 1996.
-1
Rick Steves, America's leading authority on European travel, returns to transport viewers to the continent's bustling cities, quaint villages and picturesque countryside.
3
After writing a soon-to-be bestselling novel, writer and committed bachelor Harper attempts to hide the fact that his saucy new book is loosely based on the lives and loves of his tight-knit group of friends. Harper is set to be best man at his friend Lance's wedding, and all his friends will be in attendance. When an advance copy of the book makes its way into the hands of his ex-flame, Jordan, Harper attempts to keep it under wraps.
2
Zohre's shoes are gone; her older brother Ali lost them. They are poor, there are no shoes for Zohre until they come up with an idea: they will share one pair of shoes, Ali's. School awaits.
-2
Laura San Giacomo stars in this sexy comedy about adultery. When Nina's (San Giacomo) husband goes out of town for several weeks on a business trip, Nina hooks up with a photographer. Told from a reporter's point of view, his interviews with Nina and the photographer provide comic insights. Stars Laura San Giacomo, Paul Rhys, Michael O'Keefe, Fisher Stevens and more.
1
Ryan Harrison, a violin god, superstar and sex symbol does not want to cheat on sexy Lauren Goodhue's husband with her. Mr. Goodhue is found murdered and Ryan suddenly finds himself being the main suspect. After being sentenced to death he manages to flee while being transferred to his execution site. Now, all the world is after him as he stumbles from one unfortunate incident to the next in order to prove himself innocent - by finding a mysterious one-eyed, one-armed, one-legged man...
-6
A precocious and obsessive teenager develops a crush on a naive writer with harrowing consequences.
-3
Shakes plods about his duties as party clown, and uses all of his free time getting seriously drunk. Binky, another clown, wins the spot on a local kiddie show, which depresses Shakes even more, and his boss threatens him with unemployment if he can't get his act under control.
-1
An otherwise rejected or ignored boy creates a fantasy pal from his martial arts movie hero.
0
New York Undercover is an American police drama The series stars Detective J.C. Williams and Detective Eddie Torres, two undercover detectives in New York City's Fourth Precinct who were assigned to investigate various crimes and gang-related cases.
-1
Salesman Roy Knable spends all his free time watching television, to the exasperation of his wife, Helen. One day, TV salesman Spike convinces Roy to buy a satellite dish offering 666 channels. The new addition to Roy's home entertainment system sucks him and Helen into Hellvision, a realm run by Spike, who is an emissary of Satan. For 24 hours, the couple must survive devilish parodies of TV programs if they want to return to reality alive.
-3
An adaptation of Jon Krakauer's best selling book, "Into Thin Air: A Personal Account of the Mt. Everest Disaster". This movie attempts to re-create the disastrous events that took place during the Mount Everest climb on May 10, 1996. It also follows Jon Krakauer throughout the movie, and portrays what he was going through while climbing this mountain.
-1
Two drifters, one a gentle but slow giant, try to make money working the fields during the Depression so they can fulfill their dreams.
-1
Richie Richard (socially awkward, sexually inexperienced) and Eddie Hitler (carefree alcoholic ) are two social outcasts living on the dole. Trapped together in a squalid flat in Hammersmith, London they are perpetually skint, bored and sexually frustrated. They spend their days scheming, bickering, and being nasty and sadistic to each other.
-7
Major Benson Winifred Payne is being discharged from the Marines. Payne is a killin' machine, but the wars of the world are no longer fought on the battlefield. A career Marine, he has no idea what to do as a civilian, so his commander finds him a job - commanding officer of a local school's JROTC program, a bunch of ragtag losers with no hope.
-1
F/X man Rollie Tyler is now a toymaker. Mike, the ex-husband of his girlfriend Kim, is a cop. He asks Rollie to help catch a killer. The operation goes well until some unknown man kills both the killer and Mike. Mike's boss, Silak says it was the killer who killed Mike but Rollie knows it wasn't. Obviously, Silak is involved with Mike's death, so he calls on Leo McCarthy, the cop from the last movie, who is now a P.I., for help and they discover it's not just Silak they have to worry about.
-7
The corpse of a patriotic veteran comes back to life on July 4th and goes on a killing spree in his hometown, targeting anyone who offends his ultra-patriotic views.
0
Three adolescent boys, Ed, Edd "Double D", and Eddy, collectively known as "the Eds", constantly invent schemes to make money from their peers to purchase their favorite confectionery, jawbreakers. Their plans usually fail though, leaving them in various predicaments.
-1
When his brother asks him to look after his young son, Clifford, Martin Daniels agrees, taking the boy into his home and introducing him to his future wife, Sarah. Clifford is fixated on the idea of visiting a famed theme park, and Martin, an engineer who helped build the park, makes plans to take him. But, when Clifford reveals himself to be a first-rate brat, his uncle goes bonkers, and a loony inter-generational standoff ensues.
1
El Mariachi just wants to play his guitar and carry on the family tradition. Unfortunately, the town he tries to find work in has another visitor, a killer who carries his guns in a guitar case. The drug lord and his henchmen mistake el Mariachi for the killer, Azul, and chase him around town trying to kill him and get his guitar case.
-4
A reclusive surveillance expert is hired to spy on a mysterious blackmailer, who just may be a serial killer.
-2
Following the arrest of her mother, Ramona, young Vanessa Lutz decides to go in search of her estranged grandmother. On the way, she is given a ride by school counselor Bob Wolverton. During the journey, Lutz begins to realize that Bob is the notorious I-5 Killer and manages to escape by shooting him several times. Wounded but still very much alive, Bob pursues Lutz across the state in this modern retelling of Little Red Riding Hood.
-2
British comedy series focusing on the lives of a working-class family in Manchester who love the TV.
1
A solitary middle-aged bachelor and a naive Irish teenager transform one another's lives to arrive at a place of recognition, redemption and wisdom in Atom Egoyan's adaptation of William Trevor's celebrated 1994 novel. Seventeen and pregnant, Felicia travels to England in search of her lover and is found instead by Joseph Ambrose Hilditch, a helpful catering manager whose kindness masks a serial killer. Hilditch has murdered several young women, but he has no conscious awareness of the crimes; like Felicia, he doesn't see his true self. Felicia's Journey is a story of innocence lost and regained: Felicia awakens to the world's dangers and duplicities; and Hilditch, who grew up lonely and unloved, comes to realize what was taken from him, and what he himself has taken.
1
Dexter, a boy-genius with a secret laboratory, constantly battles his sister Dee Dee, who always gains access despite his best efforts to keep her out, as well as his arch-rival and neighbor, Mandark.
3
Two brothers have half of a powerful ancient Chinese talisman. An evil gang leader has the other half, and determines to get the brothers' half and have a complete medallion so he can gain absolute power.
1
An insurance salesman's humdrum existence takes a turn when a stranger, ex-con Auggie Rose, unexpectedly dies in his arms. Assuming the identity of the dead man, the salesman embarks on a double life, keeping it secret from his live-in girlfriend.
-3
A boy shoots his father and flies out the window. A man falls in love with a fellow inmate in prison. A doctor accidentally ingests his experimental sex serum, wreaking havoc on the community.
-2
The Big Comfy Couch is a Canadian children's television series about Loonette the Clown and her dolly Molly, who solve everyday problems on their "Big Comfy Couch". It aired from 1992 until early 2006. It was produced by Cheryl Wagner and Robert Mills, directed by Wayne Moss and Mills. It premiered on March 2, 1992 in Canada and in 1995 in the USA on public television stations across the country. There is also a Spanish version of the show titled, "El Sofa de mi Imaginacion". It also aired in the United Kingdom on GMTV's kids block.

The show's format revolves around Loonette the Clown, who lives with her dolly Molly on the eponymous Big Comfy Couch. Episodes are generally focused on a theme or a lesson. For example, Season 3's episode "Full of Life" explored the concepts of "full" and "empty", while "Sticks and Stones" dealt with name-calling and teasing.
2
Two small-town girls arrive in Chicago to find fame and fortune. Ruby wants to be a fashion designer; Holly simply wants a city salary to help out her family. Both girls' heads are turned by the chance to become Bunny girls in Hugh Hefner's blossoming Playboy empire, but while Holly's personality enables her to rise quickly through the glamour ranks, Ruby becomes dependent on drugs.
2
In this spiritual thriller, an ancient prophecy is about to be fulfilled as a secret code brings the world to the edge of Apocalypse. Gillen Lane (Casper Van Dien) is a expert on theology and mythology who has gained international fame as a motivational speaker.
2
A cul-de-sac in an oppressive suburb becomes a literal dead end for wife and mother Karen Christianson when she is brutally murdered in her own home. In the wake of the event, Karen's teenage daughter Ellie begins to exhibit bizarre behaviors as she slowly acquires her mother's demeanor and mannerisms. Meanwhile, Karen's husband Ben nurtures a less-than-innocent interest in the family's sultry live-in nanny, Lena.
-5
Stunning trophy wife Rachel Avery is stuck in a cold, loveless marriage with her millionaire husband, Holden. So when Holden goes away on a trip, Rachel hooks up with her close friend Carla, and the two hatch a plan to murder Holden and collect on his vast assets. But the girls don't want to commit the crime themselves, so at a bar they seduce a stranger, Travis Brewer, and convince him to do their bidding.
-4
In 1931, a young soldier deserts from the army and falls into a country farm, where he is welcomed by the owner due to his political ideas. Manolo has four daughters, Fernando likes all of them and they like him, so he has to decide which one to love.
1
The film spans from Hepburn's early childhood to the 1950s which details her life as a Dutch ballerina, coming to grips with her parents' divorce, and enduring life in the Nazi-occupied Netherlands during World War II. She then settles in the U.S. where she succeeds in making it big as a movie actress, in such movies as Breakfast at Tiffany's.
1
It's mid 19th century, north of France. The story of a coal miner's town. They are exploited by the mine's owner. One day the decide to go on strike, and then the authorities repress them
-2
Stuart Jones has got it all. He's rich, drop-dead gorgeous and always the centre of attention. He can be forgiven the arrogance because he's pretty close to perfection. His best mate Vince Tyler is funny, adorable and definitely a babe but, unlike his friend, has zero confidence in himself. Since time began, Vince has carried a torch for Stuart but his love remains firmly unrequited. They're both 29, hitting Canal Street every night, stalwarts of the scene but just starting to wonder where else their lives may be going. Then along comes Nathan Maloney. Young, wild and coming out with a vengeance, he crowbars his way into their world and once he arrives, nothing is ever the same again.
5
When an entire town in upstate New York is closed down by an unexpected snowfall, a "snow day" begins when a group of elementary school kids, led by Natalie Brandston, try to ensure that the schools stay closed by stopping a mechanical snowplow driver by trying to hijack his plow truck. Meanwhile, Natalie's big brother Hal is using this day to try to win the affections of Claire Bonner, the most popular girl in his high school, while Hal and Natalie's father Tom, a TV meteorologist, faces off against a rival meteorologist for weather coverage of the day's events.
2
Travel with Tintin, the young and intrepid Belgian reporter, and his faithful dog Snowy as they take you from Tibet to the Moon, or from Egypt to the depths of the sea -- solving mysteries, pursuing truth and justice, and gambling with their lives.
0
In the late 1950s, British police officer Tony Aaron resigns from the force after sleeping with Hazel, wife of the man whose house he was supposed to guard. In his new job as a fake private investigator, he helps couples get divorces by photographing Hazel having "affairs" with the husband. When she is murdered during a job, Tony begins having an affair with the dead man's mistress, Angeline, while trying to prove his innocence.
-3
The story of a young, gay, black, con artist who, posing as the son of Sidney Poitier, cunningly maneuvers his way into the lives of a white, upper-class New York family.
0
A modern adaptation of the classic children's story 'Alice through the Looking Glass', which continued on from the popular 'Alice in Wonderland' story. This time Alice is played by the mother, who falls asleep while reading the the bedtime story to her daughter. Walking through the Looking Glass, Alice finds herself in Chessland, a magical and fun world. There she meets the Red and White Queens, as well as many other amusing friends on her journey across the chessboard countryside onto become a crowned queen.
6
Adaptation of Shakespeare's play.
0
Time Team is a British television series which has been aired on British Channel 4 from 1994. Created by television producer Tim Taylor and presented by actor Tony Robinson, each episode featured a team of specialists carrying out an archaeological dig over a period of three days, with Robinson explaining the process in layman's terms. This team of specialists changed throughout the series' run, although has consistently included professional archaeologists such as Mick Aston, Carenza Lewis, Francis Pryor and Phil Harding. The sites excavated over the show's run have ranged in date from the Palaeolithic right through to the Second World War.
2
Some teenagers in an old house find that there's something evil in the water.
-1
Set in the 22nd century, when a battered salvage ship sends out a distress signal, the seasoned crew of the rescue hospital ship Nova-17 responds. What they find is a black hole--that threatens to destroy both ships--and a mysterious survivor whose body quickly mutates into a monstrous and deadly form.
-4
A Hollywood tour bus driver poses as a screenwriter to romance an up-and-coming young actress.
0
Hosted by Charlton Heston, it explores the possibility that the Sphinx maybe older than expected. John Anthony West examines that water erosion on the Sphinx can pre-date it to 10,000 years old?. Other mysteries such as how they moved 200 ton stone blocks to build the pyramids, the secret chambers under the Sphinx and the links to the pyramids that are suggested on Mars.
-3
Interracial love story set in Detroit.
1
People Like Us was a British radio and TV comedy programme, a spoof on-location documentary written by John Morton, and starring Chris Langham as Roy Mallard, an inept interviewer. Originally a radio show for BBC Radio 4 in three series from 1995 to 1997, it was made into a television series for BBC Two that aired from September 1999 to June 2000.
0
An aspiring Hollywood actress, on a visit to a charming North England town, has a brief fling with the town undertaker, who also writes obituaries for the local paper. Returning home, where she works as a waitress at a Japanese restaurant, she tells everyone about the handsome "writer" she met on her trip. Unfortunately, he decides to follow her back to Hollywood, setting up the expected light romantic comedy with asides as the newcomer gains experience about the goings on in Hollywood.
4
Genetically mutated bats escape and it's up to a bat expert and the local sheriff to stop them.
0
In 1983, yacht sailor Will Parker leads an American crew financed by millionaire Morgan Weld to defeat during the America's Cup race against an Australian crew. Determined to get the prize back, Will convinces Morgan to finance an experimental boat designed by his ex-girlfriend Kate's new beau, Joe Heisler. When the boat is completed, the Americans head to Australia to reclaim the cup.
4
After failing to save his wife from 'The Doctor', Kit Li is working as a bodyguard and secret stunt double for the cowardly martial arts film star Frankie Lane. Frankie attends an exhibition of the crown jewels of Russia at a Hong Kong hotel, and when the Doctor's gang take over the building in attempt to steal them, Kit is the only thing standing in their way. Will Frankie regain his courage? Will romance blossom between Kit and the nosy reporter? Who has the best Kung-Fu?
-1
Sparks fly when Anna Penn and Charlie Hudson meet. Unfortunately, they're both engaged to other people. In fact, they're staying at the same New York City hotel in order to work on wrapping up the last details of their nuptials. Over days and evenings of joint wedding planning, the two grow closer -- and start to wonder if they're getting married to the right people after all.
2
Drawn from elements of West African folk tales, it depicts how a newborn boy, Kirikou, saves his village from the evil witch Karaba.
-1
Upon discovery of a shard of what could be the Loc-Nar, a miner named Tyler becomes possessed with an insatiable hunger for power and a thirst for immortality. On his way to the planet of youth, Tyler wipes out most of a space colony and kidnaps a beautiful young woman. His only mistake is that he doesn't kill her sister, Julie, who then sets out on a mission of rescue and revenge.
-4
An emotionally challenged young man named Bobby runs away from home in order to escape his abusive stepfather who has killed his pets. He meets an old man, Mr. Summers, who spends his time traveling and giving burials to animals that have been killed by cars. Bobby, also having an affinity for animals, becomes friends with the old man and aids him in his task.
-2
In Ireland, American lawyer Ingrid Jessner and her activist partner, Paul Sullivan, struggle to uncover atrocities committed by the British government against the Northern Irish during the "Troubles." But when Sullivan is assassinated in the streets, Jessner teams up with Peter Kerrigan, a British investigator acting against the will of his own government, and struggles to uncover a conspiracy that may even implicate one of Kerrigan's colleagues.
-6
The story of Dietrich Bonhoeffer, a German clergyman of great distinction, who actively opposed Hitler and the Nazis. His convictions cost him his life.  What is a moral person to do in a time of savage immorality? That question tormented Dietrich Bonhoeffer, a German clergyman of great distinction who actively opposed Hitler and the Nazis. His convictions cost him his life. The Nazis hanged him on April 9, 1945, less than a month before the end of the war. Bonhoeffer's last years, his participation in the German resistance and his moral struggle are dramatized in this film. More than just a biographical portrait, Bonhoeffer: Agent of Grace sheds light on the little-known efforts of the German resistance. It brings to a wide audience the heroic rebellion of Bonhoeffer, a highly regarded Lutheran minister who could have kept his peace and saved his life on several occasions but instead paid the ultimate price for his beliefs.
0
A younger sister wishes to switch places with her popular older sister and the two bickering siblings awaken to find the wish has come true.
0
Adaptation of the classic novel by Henry Fielding chronicling the life, loves and adventures of the charming Tom.
3
The epic tale of the idealistic young knight Ivanhoe and his battle against the evil Templar Bois-Guilbert. Caught between the rivalries and religious struggles are Ivanhoe's betrothed Rowena and the brave, beautiful Jewess healer Rebecca, who wins Ivanhoe's heart with her courage. This grand six-part adaptation of Sir Walter Scott's rousing adventure of the Middle Ages is set against the historical backdrop of a Britain straining under the corrupt rule of Prince John while Richard the Lionhearted fights in the Crusades.
1
A store clerk and an ice cream truck driver are thrown together when a dying scientist entrusts them with a deadly chemical kept in ice. This chemical will kill every living thing once it melts. They have to take the chemical codenamed 'Elvis' to the next nearest military base while being chased by terrorists who want it to hold the country for ransom.
-3
Little Men is a Canadian television show that first aired on November 7, 1998 on the PAX TV network and was shown in Canada on CTV beginning January 1, 1999. The show is set as a continuation from the Louisa May Alcott novel Little Men as a follow-up to Little Women. Due to low ratings, the show was cancelled after 2 seasons, with the final episode aired on December 17, 1999.
0
A pair of kidnappings expose the complex power dynamics within the corrupt and unpredictable workings of 1930s Kansas City.
-2
John is a man of many talents, including one forbidden skill: he can read. When he teaches a young slave girl named Sarny to read and write, she learns an unforgettable lesson about the power of words and the true meaning of freedom.
2
Henry Hart is a young gay artist living in New York City. When his grandfather has a stroke, Henry puts his career on hold and returns home to the small town of Big Eden, Montana, to care for him. While there, Henry hopes to strike up a romance with Dean Stewart, his high-school best friend for whom he still has feelings. But he's surprised when he finds that Pike, a quiet Native American who owns the local general store, may have a crush on him.
0
Executive transvestite Eddie Izzard takes her show to San Francisco to give a brief history of pagan and Christian religions, the building of Stonehenge, the birth of the Church of England and of Western empires, and the need for a European dream.
0
From the "In the Line of Duty" made-for-television movie series, Manhunt in the Dakotas is based on the true story of cop-killer/white supremacist Gordon Kahl.
0
A destitute 14-year-old struggles to keep his life together despite harsh abuse at his mother's hands, harsher abuse at his father's, and a growing separation from his slightly older brother.
-5
Former marine and cop Jeff Erickson starts a new life after meeting his dream girl, Jill, running a bookshop, until they decide to become the modern Bonnie and Clyde. Learning on the job the hard way, Jeff becomes famous through media-coverage, despite his power-trip tendency to bully his victims which becomes worse when Jill is hospitalized. FBI agent Tom LaSalle, has a hard time eliminating suspects and following the trail through
-3
The lead singer of an oldies group reminisces about the good ol' days and a potential comeback.
2
A small southwestern town sheriff finds a body in the desert with a suitcase and $500,000. He impersonates the man and stumbles into an FBI investigation.
-2
Reeling from her mother's recent death, Ruby Lee Gissing relocates to Florida to start anew. After finding a job at a souvenir store, Ruby becomes friends with the shop's owner, Mildred Chambers, and slowly acclimates to her new surroundings. Before long, she's juggling the affections of Mildred's Lothario son, Ricky, and the good-natured Mike. As she wavers between Ricky and Mike, Ruby also tries to come to terms with her past.
-1
In Hollywood it's all about who you know, and the only person two friends know is a serial killer.
-1
After the suicide of her only friend, Rachel has never felt more on the outside. The one person who reached out to her, Jessie, also happens to be part of the popular crowd that lives to torment outsiders like her. But Rachel has something else that separates her from the rest, a secret amazing ability to move things with her mind. Sue Snell, the only survivor of Carrie White's rampage twenty-two years ago, may hold the key to helping Rachel come to terms with her awesome, but unwanted power. But as Rachel slowly learns to trust, a terrible trap is being laid for her. And making her angry could prove to be fatal.
-4
Hikaru Shidou, Umi Ryuuzaki, and Fuu Hououji are strangers brought together by fate when they meet during a seemingly normal field trip to Tokyo Tower. Accompanied by a great flash of light, they hear a mysterious woman's plea to save "Cephiro," and the junior high heroines are suddenly swept away by a giant flying fish. Afterwards, they arrive in an unknown land, where they encounter a man called Master Mage Clef.

Clef informs the girls that they were summoned by Princess Emeraude to fulfill their destinies as Magic Knights, restoring peace and balance in Cephiro. The formerly lively and peaceful land has been in disarray ever since High Priest Zagato imprisoned the princess, who acted as Cephiro's pillar of stability. The Magic Knights reluctantly accept Clef's words as truth and embark on a journey to save Cephiro from the clutches of evil.
3
A ten year old boy gets tired of life with abusive parents and cashes in his piggy bank and steals a Mustang. He rides off into a surreal America playing "Motorama," a game sponsored by Chimera Gas Company. He has various encounters with different people, and eventually reaches the Chimera Gas Company where he finds they are not playing by the rules of the game.
-2
10-year-old Fiona is sent to live with her grandparents in a small fishing village in Donegal, Ireland. She soon learns the local legend that an ancestor of hers married a Selkie - a seal who can turn into a human. Years earlier, her baby brother was washed out to sea and never seen again, so when Fiona spies a naked little boy on the abandoned Isle of Roan Inish, she is compelled to investigate..
0
A ship runs aground on a mysterious atoll leading to an investigation by insurance representative Kusanagi, who discovers an ancient bead that he gives to his daughter Asagi. Meanwhile, ornithologist Nagamine investigates reports of a new species of large bird named Gyaos. As the Gyaos begin to attack, an ancient guardian with a bond to Asagi emerges.
-2
The wife and mistress of a cruel school master collaborate in a carefully planned and executed scheme to murder him. The plan goes well until the body, which has been strategically dumped, disappears. The psychological strain starts to weigh on the two women when a retired police investigator begins looking into the man's disappearance on a whim.
-3
Missionary Father LaForgue travels to the New World in hopes of converting Algonquin Indians to Catholicism. Accepted, though warily, by the Indians, LaForgue travels with the Indians using his strict Catholic rules and ideals to try and impose his religion.
-2
Jermaine, a young struggling Atlanta lawyer, decides to spruce up his marriage with Jasmine, who's mentally recovering from an abusive previous relationship, by hiring Jade, a bisexual stripper/prostitute fighting a custody battle with her ex-husband for their four-year-old son, for a threesome menage-a-trois get together only to have all three of them suffer the after-affects when Jermaine begins acting possessive towards Jasmine and Jade which leads to Jade (or someone) stalking him and disrupting his private and professional life. Written by Matt Patay
-3
The recently deceased Mona Dearly was many things: an abusive wife, a domineering mother, a loud-mouthed neighbor and a violent malcontent. So when her car and corpse are discovered in the Hudson River, police Chief Wyatt Rash immediately suspects murder rather than an accident. But, since the whole community of Verplanck, N.Y., shares a deep hatred for this unceasingly spiteful woman, Rash finds his murder investigation overwhelmed with potential suspects.
-13
Bill Hicks tells us how he feels about non-smokers, blow-jobs, religion, war and peace, and drugs and music.
1
Thad Beaumont is the author of a highly successful series of violent pulp thrillers written under the pseudonym of ‘George Stark’, but when he decides to ‘kill-off’ his alter-ego in a mock ceremony, it precipitates a string of sadistic murders matching those in his pulp novels, which are soon discovered to be the work of Stark himself. Looking like a maniacal version of his counterpart, Stark is not so willing to quit the writing game – even if it means coming after Thad's wife and their baby.
-4
Caillou is an educational Canadian children's television series, based on the books by author Christine L'Heureux and illustrator Hélène Desputeaux. During the first season, many of the stories in the animated version began with a grandmother introducing the story to her grandchildren, then reading the story about the book. Since 1997, the narrator/grandmother is an unseen character. Caillou first aired on Canada's Teletoon channel in 1998; it later made its United States debut in English on Public Broadcasting Service Public television on September 4, 2000 A 5th Season came out in 2013 = and it airs on PBS Kids. Caillou also airs on PBS Sprout.
0
The young Jeremiah grows up in a priest's family in the village of Anathoth, near Jerusalem. God appears to Jeremiah in different human guises on several occasions, and makes it clear to him that he has been selected to announce God's message to the people of Jerusalem
1
An eccentric socialite raises a gorilla as her son.
-1
Harry Donovan is an art forger who paints fake Rembrandt picture for $500,000. The girl he meets and gets into bed with in Paris, Marieke, turns out to be an arts expert Harry's clients are using to check the counterfeit picture he painted.
-1
Pre-school fun, fantasy and education with colourful rotund characters Tinky Winky, Dipsy, Laa-Laa and Po in a magical land called Teletubbyland.
2
A warrior and a beautiful ex-convict are left to fight the galaxy's most fearsome commandos in an alien wasteland.
0
Eddie Izzard's routine has a loose trajectory from the beginning of the Old Testament and the creation of the world in seven days to Revelations. Along the way, we learn of the search for a career, bad giraffes, Prince Philip's gaffes, toilets in French campsites, the mysteries of hopscotch, becoming one's Dad and tranny bashing.
-4
Set in the year 2022, a group of convicts sentenced to life in prison are led on a mission into uncharted deep space by Commander Skyler (Williams) to salvage a lost ship. As incentive to go on this dangerous mission, the convicts are given the opportunity to spend their weekends in a virtual reality world where they could live out their sexual fantasies with any woman they choose. However, a woman who is not part of the program appears in it (Scoggins), kills each virtual woman and seduces each convict. When she begins to appear outside the program, the men quickly turn on each other.
-3
In 2000, VH-1 produced the television biopic Daydream Believers: The Monkees' Story. In 2002, the movie was released on DVD, and featured both commentaries and interviews with Dolenz, Jones and Tork. The aired version did differ from the DVD release as the TV version had an extended scene with all four Monkees but with a shortened Cleveland concert segment. It was also available on VHS.
1
In a flooded future London, Detective Harley Stone hunts a serial killer who murdered his partner and has haunted him ever since — but he soon discovers what he is hunting might not be human.
-1
One hundred mid- and low-level gangsters who are on their boss' bad side are locked inside a newly-built high-security prison, and given plenty of guns, ammo, and baseball bats, then told that the last survivor will get a suitcase with 10 million dollars.
-2
Zoboomafoo is an American children's television series that aired from January 25, 1999, to April 28, 2001, and is still shown today in syndication depending on the area, and it is regularly shown on PBS Kids Sprout. A total of 65 episodes were aired. A creation of the Kratt Brothers, it features a talking Coquerel's Sifaka, a type of lemur, named Zoboomafoo, or Zoboo for short, and a collection of repeat animal guests. Every episode begins with the Kratt brothers in "Animal Junction", a peculiar place in which the rules of nature change and wild animals come to visit and play. After January 16, 2004, the show was pulled from its weekday airing on most PBS stations, though some continue to air the show.
-2
A sordid story of sexual passion, sexual crimes, and murder, set among the staff of an English railway line in 1940-41.
-1
A bashful bachelor penguin named Hubie, who's partial to a pretty female named Marina. Ancient penguin ritual dictates that males present a pebble to their intended, then mate for life. Hubie finds a spiffy stone, but before he can bestow it on Marina, dastardly rival Drake tosses him into the churning sea, and Hubie gets swept away.
-2
The inhabitants of a small Japanese town become increasingly obsessed with and tormented by spirals.
-1
The Trench tells the story of a group of young British soldiers on the eve of the Battle of the Somme in the summer of 1916, the worst defeat in British military history. Against this ill-fated backdrop, the movie depicts the soldiers' experience as a mixture of boredom, fear, panic, and restlessness, confined to a trench on the front lines.
-6
Decades after a meteorite destroys much of life on Earth, young survivor Ryan Murphy travels to a military base as a new recruit. However, Murphy is really an agent investigating strange occurrences at the base, which is ruled by the unforgiving Sgt. Bradley. As Murphy trains with his fellow recruits and secretly looks into the disappearance of a friend, he uncovers a shocking secret that may change the fate of humankind.
-2
Dede is a sole parent trying to bring up her son Fred. When it is discovered that Fred is a genius, she is determined to ensure that Fred has all the opportunities that he needs, and that he is not taken advantage of by people who forget that his extremely powerful intellect is harboured in the body and emotions of a child.
3
Nazi skinheads in Melbourne take out their anger on local Vietnamese, who are seen as threatening racial purity. Finally the Vietnamese have had enough and confront the skinheads in an all-out confrontation, sending the skinheads running. A woman who is prone to epileptic seizures joins the skins' merry band, and helps them on their run from justice, but is her affliction also a sign of impurity?
-4
Two corrupt cops have a successful, seemingly perfect money making scheme- they sell drugs that they seize from dealers, kill the dealers, and blame the crimes on street gangs. Their scheme is going along smoothly until they kill an undercover DEA agent posing as a dealer, and then try to cover-up their crime.
-3
The award-winning educational zoological series hosted by Canadian naturalist John Ross brings you face to face with the most fascinating creatures on earth. Never before has there been such an insightful and timely wildlife series. The cameras of Safari tell a compelling story, never shying away from showing the whole picture. Safari provides an unflinching portrait of animals in the wild with emphasis on endangered species.
2
Film editor Katie and suspense novelist Richard share an erotically charged moment during a hostage crisis, before embarking on a rapturous affair. When Richard’s wife is killed in a suspicious accident, the lovers are accused of murder.
-3
Paul Kersey is back at working vigilante justice when his fiancée, Olivia, has her business threatened by mobsters
-1
Knights and Dragons are mortal enemies, right? And everyone knows what happens when a Knight meets a Dragon, right? Wrong! When a Knight and a Dragon meet and fall in love, the result is Mink, a precocious young female who's half human, half dragon and all trouble! Exactly how much trouble? Well, in consideration of the fact that having vestigial wings and a tail isn't a problem most teenage girls have to bear, one can perhaps cut our heroine a little slack.

However, when Mink insists on compounding her difficulties to infinite proportions by falling in love with handsome pop star - and professional Dragon Slayer - Dick Saucer, she really has put her heart before her head! Talk about problem dates! Will this turn out to be a love story where the hero really does get the girl... on the end of his sword?
-2
Fresh out of prison, Git rescues a former best friend (now living with Git's girlfriend) from a beating at the hands of loan sharks. He's now in trouble with the mob boss, Tom French, who sends Git to Cork with another debtor, Bunny Kelly, to find a guy named Frank Grogan, and take him to a man with a friendly face at a shack across a bog. It's a tougher assignment than it seems: Git's a novice, Bunny's prone to rash acts, Frank doesn't want to be found (and once he's found, he has no money), and maybe Tom's planning to murder Frank, which puts Git in a moral dilemma. Then, there's the long-ago disappearance of Sonny Mulligan. What's a decent and stand-up lad to do?
-1
Bison, the ruthless leader of the international terrorist organization Shadowlaw, has been desperately searching for the greatest fighter on the planet for years. He finds it in Ryu, a young wanderer who never stays in one place long enough for Bison to find him. He does, however, get a fix on Ken Masters, an American martial arts champion who studied with Ryu as a child under the same master. Meanwhile, Major Guile of the United States Army is forced to team up with Chun Li from China in hopes of apprehending Bison and putting a stop his international ring of crime.
1
This documentary examines the ancient ruins of Chaco Canyon, built between 850 and 1150 A.D. in northwest New Mexico. This film describes and demonstrates the intricate and precise astronomical alignments among the many buildings spread over a wide desert area. These alignments, along with other evidence, support the theory that Chaco Canyon was a major ceremonial center. Written by yortsnave
1
Set in and around a small town high school in Kansas, Beth is a naive senior student who asks her two new friends, the slick and outgoing Julie, and her boyfriend Scott to help her cover up the accidental killing of the hated school principal. But they are observed by Terra, a student nominated for prom queen, who blackmails them into rigging the election in her favor. Undaunted, Beth, Julie and Scott turn to the most popular/hated student Cherry to kill Terra for them. Cherry agrees to the hit, but only if she gets Terra's nomination for prom queen and the crown as well which sets off more complications for all involved.
-3
A movie about a relationship...that's worse than yours. Seth (Stewart), a sitcom writer-producer, meets Chelsea (Wilson), an interior decorator, at his best friend's (Bellamy) wedding. He's immediately sexually attracted to her while she's instantly attracted to his single-ness. They both ditch their wedding dates and start their own date that same night. The two become a couple, appearing very happy until after a couple of years of postponing a marriage proposal. When Chelsea realizes that Seth wants to remain single and together, she becomes quite bitter. In the next hour of the movie, the two engage in behavior that makes the War of the Roses look like child's play.
2
Builder Robert is visiting his ailing wife in a nursing home and is having problems getting a taxi home due to an intense snow storm. One of the doctors, Katherine offers him a lift home however their car gets stuck and they have to spend the night in an empty cabin nearby. They talk and bond, but afterwards seem to have difficulty beginning a relationship.
-5
The story of a young man who must confront his own fears about love as well as his relationships with family and friends.
0
Frank O'Brien, a petty thief, and his 7-year-long girlfriend Roz want to put an end to their unsteady lifestyle and just do that last job, which involves stealing a valuable painting. Frank takes Roz to an island on the coast of New England, where he wants to sell the painting and also hopes that their sagging relationship will get a positive push back up. Not everything goes as planned.
-2
Traditional Sunday dinners at Mama Joe's (Irma P. Hall) turn sour when sisters Teri (Vanessa L. Williams), Bird (Nia Long) and Maxine (Vivica A. Fox) start bringing their problems to the dinner table in this ensemble comedy. When tragedy strikes, it's up to grandson Ahmad (Brandon Hammond) to pull the family together and put the soul back into the family's weekly gatherings.
-4
Tomás Tomás is a young yuppie playboy with a string of discarded girlfriends. But when Silvia, the victim of one of his adventures, tries to get revenge by typing "positive" on his AIDS test, Tomás experiences for the first time the realities of love and death.
0
Three male soldiers have a sex change so they can go on an undercover mission to an all-woman planet, where they must uncover and foil a plot to disrupt the most important pleasure planet in the universe.
0
After an accident leaves her a paraplegic, a former soap opera star struggles to recover both emotionally and mentally, until she meets her newest nurse, who has struggles of her own.
-1
Ray is young, charming, successful and the owner of a prosperous architect company. However, he has recently gone through a very painful divorce. His friends try to cheer him up by showing him the positive sides of being single but for Ray marriage and stability is just too important. But when he meets Lena his gloom is quickly forgotten.
5
Jamie Marshall (Kelly McGillis) is a "storm chaser" who, having lost her husband in a crash after his plane was struck by lightning, recklessly throws herself into her work. Sent by her boss to Colorado to investigate the cause of a devastating tornado, she meets Will Stanton (Wolf Larson), Field Coordinator for FEMA. One night, while working closely together examining the wreckage of the recent storm, Jamie and Will experience a once-in-a-lifetime phenomenon - a ball of lightning falling from the sky connecting with the ground all around them. As Will tries to shield Jamie from the lightning, the two embrace and find themselves in a passionate kiss. The next day Jamie and Will return to the location. What they discover is a facility where waste from scientific experimentation is affecting the atmosphere causing the tornadoes. Armed with the new information and seven new tornadoes on the horizon, Jamie and Will prepare the already tornado ravaged town for another possible disaster!
-6
Marvin the Tap-Dancing Horse is a Canadian animated television show produced by Nelvana. It tells the stories of a young horse named Marvin who is part of a carnival. Among the Executive Producers are Michael Paraskevas and Betty Paraskevas, creators of Maggie and the Ferocious Beast who also created the book that the show is based on. The show first aired on the Treehouse block before moving to just before Tiny Pop. The series also aired on PBS Kids as part of the PBS Kids Bookworm Bunch from 2000 to 2002. It can now be seen in the US on Qubo. It also aired on Teletoon for a brief time.

Some episodes include original songs to help illustrate the theme or accompany montages that carry the story forward.
0
The true story of boys being sexually abused at their orphanage, run by a religious community in Newfoundland.
-1
A princess falls in love with her father's swordsman.
0
The eighth and last of the Pink Panther series. The illegitimate son of Inspector Clouseau is on the case of the kidnapped Princess Yasmin.
-1
Two con artists try to swindle a stamp collector by selling him a sheet of counterfeit rare stamps (the "nine queens").
-1
Dr. Richard Sturgess leads a team of compassionate doctors at a veteran's hospital. Along with Drs. Morgan, Handleman and Van Dorn, he fights to deliver adequate care to needy veterans in the face of funding cuts and a corrupt administration. To succeed, the staff may have to bend the rules and circumvent the villainous "Article 99," a bureaucratic loophole that prevents veterans from receiving the benefits they deserve.
1
The story is located in Los Angeles in the sixties. An energetic widow, Frances Lacey, with her six children try to make a dream of theirs come true: to have a home of their own. Therefore they leave Los Angeles and head for the countryside, while facing all kinds of difficulties during their journey.
0
An academic obsessed with "roadside attractions" and his tv-star daughter finally discover the world's largest ice cream cone, the centerpiece for an old gold-rush town struggling to stay on the map. They end up staying longer than expected because of an accident that spilled an unknown cola ingredient all over the highway. They spend the next few days with the various residents of the town which include a teenage girl who loves to blow things up and a boy trying to keep alive his fathers dream of building a beachside resort in the middle of the desert.
-2
Two women and two kids are stranded in the Old West when bad guys (posing as Indians) try to snag the stagecoach's cargo. Pitted against nature, time, and the pursuing baddies, this unlikely team must trek over the mountains to reach safety.
-3
Sought by police and criminals, a small-time huckster makes a deal with a TV newsman for protection.
-1
Father Greg Pilkington is torn between his call as a conservative Catholic priest and his secret life as a homosexual with a gay lover, frowned upon by the Church. Upon hearing the confession of a young girl of her incestuous father, Greg enters an intensely emotional spiritual struggle deciding between choosing morals over religion and one life over another.
-1
Ned Ravine is a police officer and lawyer who occasionally defends the delinquents he arrests. He crosses paths with seductive Lola Cain during an assignment and promptly begins an affair with her. Meanwhile, Ned's wife, Lana, is deep in an affair of her own. Lana and her lover are planning to murder Ned in an elaborate fashion so they can collect on his triple indemnity life insurance policy.
0
In the tradition of THE WILD BUNCH and THE MAGNIFICENT SEVEN comes this fast paced, action filled western with unforgettable performances by an all star cast: Kris Kristofferson, Willie Nelson, Travis Tritt and Waylon Jennings. All hell breaks loose in this riveting story when a group of former outlaws with bad attitudes teams up to catch a killer with murder and revenge on his mind. After Tobey(Jennings), a retired member of the group, is brutally gunned down by a former member and killer, Clinton Reese, our band of reformed gunslingers, Lee (Nelson, Tarence (Kristofferson), and Dalton (Tritt), sets out on Clinton's Trail. They are joined by Tobeys reluctatant young son Bryce (Willett).
-7
Seattle medical examiner David Krane is obsessed with solving his wife's murder. A possible solution presents itself in an experimental "memory" serum designed by a neurobiology professor, which has the ability to transfer memories from one person to another, but with potentially fatal consequences.
-2
When a young girl dies mysteriously after being treated at a sex therapy clinic, her sister Kay goes undercover to find out who is responsible.
-1
Some sexy women get out of Fire Fighter School and go for the jobs they trained for, but first they must survive their male counterparts teasing them.
1
A writer returns to his hometown where he faces the childhood nemesis whose life he ultimately ruined, only the bully wants to relive their painful past by torturing him once again.
-5
An extremely nice guy falls for a really bad girl
-1
When Molly Hale's sadness of her father's disappearance gets to her, she unknowingly uses the Unown to create her own dream world along with Entei, who she believes to be her father. When Entei kidnaps Ash's mother, Ash along with Misty & Brock invade the mansion looking for his mom and trying to stop the mysteries of Molly's Dream World and Entei!
-1
Just days before her wedding, Beatrice-Joanna has a chance encounter with Alsemero, and realizes that she has met her one true love. To marry the man she loves, she persuades the love-struck henchman De Flores to murder her fiance, but does not anticipate the tragic consequences of her actions.
0
Two young women bond while living together out in the California desert to be close to their boyfriends who are serving time at the nearby state prison.
-2
The Wubbulous World of Dr. Seuss is an American live-action/puppet television series based on characters created by Dr. Seuss, produced by Jim Henson Productions. It aired for two seasons on the Nick Jr. Block on Nickelodeon. For the first few episodes, the show aired during Sunday night prime time, immediately before Nick News. It also premiered on PBS from January 12, 1998 until May 25, 2002. It is notable for its use of live puppets with digitally animated backgrounds, and in its first season, for refashioning characters and themes from the original Dr. Seuss books into new stories that often retained much of the flavor of Dr. Seuss's own works. It derives its name from wubble, a type of unicycle mentioned in the Dr. Seuss book I Had Trouble in Getting to Solla Sollew.
-1
A successful ad agency woman finds herself in a dangerous power struggle, back-dropped by murder, when she begins to uncover the true identity of the two men she is dating.
-2
In the 1830's in northern England, Riah Millican, a widow with three children, takes a job as housekeeper to a reclusive former teacher, Percival Miller. Miller makes Riah the gift of a black velvet gown, and even educates her children. But when Riah discovers the reason behind Miller's gifts, she vows to leave his house, but Miller has a hold on her, even after his death, when he leaves his house to her on the condition that she never marry. Riah's daughter, Biddy, grows up and becomes a laundress in a large house where her education keeps her from fitting in and makes her a target. But it also catches the eye of a son of the house, and with Miller's legacies, Biddy may yet find her way to happiness.
0
action & adventure, drama, sci-fi & fantasy, thrillers - George Newbern, Anne Le Guernec, Robert Knepper, Carrie-Anne Moss, Hoyt Axton, Jennifer Rhodes, Jonathan Ward, Max Grodenchik, Rick Dean, Ron George
0
Three teenage brothers, gang-member Bobby, troubled mama's boy Alan and self-assured prankster Lex, reside in a downtrodden section of Glasgow, Scotland, circa 1968. But while Bobby and Alan are beginning to experience the power of raging hormones, the story focuses on Lex, who begins a downward spiral after he accidentally shoots the leader of Bobby's gang. Lex's cockiness and immaturity unfortunately prevent him from understanding the effect his subsequent crimes will have on both himself, and on those around him.
-4
Max Lowe is a Houston surgeon who has grown weary of the bureaucracy of American medicine. When he loses a patient on the operating table, Max impulsively decides to leave America and travel to India in the hope of finding himself. Not long after he arrives in Calcutta, Max is attacked by a group of thugs and left without money or a passport.
-3
Dragon Tales is an American-Canadian animated pre-school children's television series created by Jim Coane and Ron Rodecker and developed by Coane, Wesley Eure, Jeffrey Scott, Cliff Ruby and Elana Lesser. The story focuses on the adventures of two siblings, Max and Emmy and their dragon friends Cassie, Ord, Zak, Wheezie, and Quetzal. The series began broadcasting on the Public Broadcasting Service on their PBS Kids block on September 6, 1999, with its final episode aired on November 25, 2005. Re-runs ceased in 2010.
0
An 11 year old boy starts throwing temper tantrums, vomiting on and attacking people, and swearing uncontrollably.  Furniture begins to move on its own when he is around, and he doesn't remember any of it.  After giving up on the protestants, the boy's parents turn to the catholic church for help.  Father Bowden is a WWII veteran who is experiencing nightmares, flashbacks and other personal problems, including alcoholism.  He is recruited by the archbishop to perform a series of exorcisms.  This is the apparent true account of the last exorcism known to have been done by the catholic church.
-5
Jack Shaw has experienced the terror first-hand. He's a top CIA agent who's tracked international killer-for-hire Carlos "The Jackal" Sanchez for over twenty years and barely survived Carlos' devastating bombing of a Parisian cafe. Now, he finally gets a break when he discovers Carlos' dead ringer: American naval officer and dedicated family man Annibal Ramirez.
-2
Mikey just needs a good stable home. He's bounced from foster home to foster home his whole life. He finally lands himself with a new loving family, but their perfect little child is not what he appears to be. His previous caretakers all died of mysterious "accidents" that weren't really accidents at all. Mikey is a cold blooded killer, and it doesn't take long for him to aim his sights on his new adoptive family and anyone else who stands in his way.
0
After a long time in the army, an Afro-American soldier returns to his hometown, where, years ago, his brother was executed for the rape and murder of two white girls. The commando believes his brother to have been innocent and seeks a proof for that, but there are some people in the town who will stop at nothing to hide the secrets of their past...
-2
A suicidal older man, Gordon Trout, is kidnapped for his car and money by three runaway teenagers who live on the streets. Their experiences together make them a close-knit family, but the nature of the crime committed could tear them apart. The intricacies of these complex relationships are explored through an emotional story with twists and turns.
-5
A policeman from Stockholm come to Norrbotten in Sweden, to join his brother, now when their father is dead. While there he starts to work on a long-running case where reindeers have been poached and soon discovers that his brother is involved...
0
In a haunted death row cellblock, a deranged female serial killer reads a trio of twisted tales to her executioner.
-3
On her wedding night, a young woman conceives a child during an hallucinatory encounter. Several years later, as her friends and family begin to behave strangely, she pieces together clues that lead to one conclusion...her son is the Antichrist
0
The plot centers on students involved in the Soweto Riots, in opposition to the implementation of Afrikaans as the language of instruction in schools. The stage version presents a school uprising similar to the Soweto uprising on June 16, 1976. A narrator introduces several characters among them the school girl activist Sarafina. Things get out of control when a policeman shoots several pupils in a classroom. Nevertheless, the musical ends with a cheerful farewell show of pupils leaving school, which takes most of act two. In the movie version Sarafina feels shame at her mother's (played by Miriam Makeba in the film) acceptance of her role as domestic servant in a white household in apartheid South Africa, and inspires her peers to rise up in protest, especially after her inspirational teacher, Mary Masombuka (played by Whoopi Goldberg in the film version) is imprisoned.
-4
Precocious young Harriet and her older sister Gwen live at their mother's motel in small-town New Hampshire. Harriet dreams of a life beyond her inattentive family and the stultifying town. A mentally disabled man named Ricky comes to stay at the motel, and Harriet finds him kinder and more interesting than anyone she has ever met. After tragedy strikes, Harriet and Ricky cling to each other ever more tightly.
-3
Based upon the novel by Vladimir Nabokov, a chess grandmaster travels to Italy in the 1920s to play in a tournament and falls in love.
0
A has-been cowboy is given a second chance at the hands of an unexpected teacher.
-1
A psychiatrist uses virtual reality to probe the minds of three unsuspecting patients, unleashing horrific psychic forces in the process.
-1
A mad scientist's experiment goes awry, turning a homeless man's eyeball into a giant killing machine that has an insatiable appetite for young women.
-3
When a terrorist surfaces, the Chairman of the Joint Chief urges the President for military response. However, the President prefers to try negotiating. So, the General takes the President prisoner and launches an offensive of his own. And the Vice President is the only one who can do something about it. And the Vice President's a woman.
-3
Alex is an 11-year old boy who, during WWII, hides in the Jewish ghetto from Nazis after all his relatives have been sent to the concentration camp. The movie portrays the ghetto through his eyes.
-2
Archie Grey Owl is a trapper in Canada in the early 1930s when a young Iroquois woman from town asks him to teach her Indian ways. They live in the woods, where she is appalled at how trapped animals die. She adopts two orphaned beaver kits and helps Archie see his way to stop trapping. Instead, he works as a guide, a naturalist writer, and then the Canadian government hires him to save the beaver in a conserve by Lake Ajawaan in Prince Albert National Park. He writes a biography, which brings him attention in Canada and invitations to lecture in England. Before he leaves, he and Anahareo (Pony) marry. In England, his secret is revealed. Will Anahareo continue to love him?
-1
J.J. is a rookie in the Sheriff's Department and the first black officer at that station. Racial tensions run high in the department as some of J.J.'s fellow officers resent his presence. His only real friend is the other new trooper, the first female officer to work there, who also suffers similar discrimination in the otherwise all-white male work environment. When J.J. becomes increasingly aware of police corruption during the murder trial of Teddy Woods, whom he helped to arrest, he faces difficult decisions and puts himself into grave personal danger in the service of justice.
-5
The true story of the 19th century Belgian priest, Father Damien, who volunteered to go to the island of Molokai, to console and care for the lepers.
0
Jonny dreams of leaving his dead-end job as a courier. Through his childhood best friend, nephew of the notorious crime lord Ray Kreed, he wins his way into the toughest gang in North London. Hungry for action, Jonny sparks a feud between Ray's gang and a rival firm in South London headed by drug kingpin Sean and his lieutenant Matthew.
0
Michael Landon Jr. directs this biographical story of his television star father, 'Michael Landon' (John Schneider). The film deals with the scarring that Michael Jr. felt after his parents divorce when he was 15 and looks at his father's philandering ways. Michael Jr. is the son of Landon's second wife 'Lynn Noe'), who was deserted when Landon took up with a make-up artist on the set of Little House on the Prairie (1974).
0
Tess returns home to Drovers Run, a family-run ranch in Australia’s outback, to reunite with her estranged father Jack and half sister Claire. Although Tess and Claire have feuded in the past, they must now work together to save the ranch from bankruptcy.
0
On a stormy night in Louisiana, six people are haunted by the spirit of a demented slave master with an insatiable erotic appetite, as they stay trapped inside a haunted mansion by a thunderstorm..
-3
Genki is a boy who loves playing the Monster Rancher games and one day he's somehow transported into the world of the video game where he meets the girl Holly and the monsters Mochi, Suezo, Golem, Tiger and Hare. Together, they are searching for a way to revive the Phoenix, which is the only monster capable of stopping the evil Moo.
-1
Financially troubled, a newbie hitman reluctantly takes the job of finding the plotted killer of a Japanese tycoon.
-3
Bananas in Pyjamas is an Australian children's television show that premiered on 20 July 1992 on ABC. It has since become syndicated in many different countries, and dubbed into other languages. In the United States, the "Pyjamas" in the title was modified to reflect the American spelling pajamas. This aired in syndication from 1995 to 1997 as a half-hour series, then became a 15-minute show paired with a short-lived 15-minute series The Crayon Box, under a 30-minute block produced by Sachs Family Entertainment titled Bananas in Pajamas & The Crayon Box. Additionally, the characters and a scene from the show were featured in the Kids for Character sequel titled Kids for Character: Choices Count. The pilot episode was Pink Mug.
-1
After Dexter is confronted with robots who wish to "destroy the one who saved the future," he uses his time machine to see how he saved it. They declare that they are here to destroy the one who saved the future, and make ready to attack Dexter. Dexter easily destroys them with the use of various tools and gadgets from his lab. However, news that he is "The One Who Saved the Future" intrigues him, and he decides to travel through time to discover how cool he is. In the first time period he visits, Dexter finds a tall, skinny, weak version of himself working in office-designing cubicles, with Mandark as his rich, successful boss. The child Dexter unwittingly reveals the existence of blueprints regarding the "Neurotomic Protocore", and Mandark steals it after the two Dexters move forward in time.
-1
Bill Hicks in the height of his genius. Recorded at the Dominion Theatre in London, Hicks opens our eyes and minds to the hypocrisy and ludicrousness of the world around us.
0
A 1994 war television miniseries which portrays Roosevelt, Churchill, and Stalin as they maneuver their countries through several of the major events of World War II - such events include the Blitz, Operation Barbarossa, the bombing of Pearl Harbor, the North African Campaign, the Allied invasion of Italy, and concluding with the Tehran Conference.
0
The Secret Service attempts to prevent an elaborately plotted assassination attempt on the President.
0
A violent street gang, the Rebels, rule the streets of Gary, Indiana. The Rebels shoot Marvin Bookman, a store-keeper, for giving the police information about a drive-by shooting they committed. Marvin's son, former NFL star John who created the Rebels, returns to Gary to be with his father and, with a little help from his friends, to destroy the Rebels his way.
-2
A trigger-happy outlaw goes on the run and a burned out, disillusioned cop gives chase. They end up head-to-head in a Los Angeles shoot out.
-3
This is a story of a handsome young taxi driver, Raja, who falls in love with a beautiful rich girl, Aarti. Despite her family's disapproval Aarti marries Raja and goes to live with him in his village. Aarti's stepmother, uncle and cousin weave a web of deception to split them apart. Will Aarti realize that her stepmother is deceiving her? Will Raja and Aarti ever get back together?
-1
An ex-marine returns to Vietnam when he learns his former mercenary partner whom he thought was killed is being held by a sadistic general.
-1
When a hive of deadly killer ants attack a town in Alaska, a small group races to survive and to find a way to stop the ruthless ants.
-4
The story of the life of the actress Elizabeth Taylor.
0
Recorded one night at the Albert Theatre in March 1994, when Eddie Izzard was playing a limited seven week sold-out run of her celebrated stand-up show.
0
Unfazed by ridicule from fellow scientists, professor Challenger (John Rhys-Davies) leads an expedition to investigate rumored sightings of prehistoric life still thriving in the unexplored African jungle. He's joined by a thrill-seeking journalist, his archrival and a beautiful adventurer on a perilous trek through mysterious and uncharted territory, filled with danger and deception. David Warner, Eric McCormack and Tamara Gorski co-star.
-1
Preston Tylk is an ordinary guy living in Seattle. When he discovers that his wife, Emily, whom he adores, is having an affair, he is devastated. Storming out of the house, he returns later only to find her brutally murdered.
-2
A medieval cult travels to the 20th century and kills people in an attempt to bring about the end of the world. The policeman must stop them by summoning the spirit of Nostradamus.
-1
The Tales of Para Handy is a Scottish television series set in the western isles of Scotland in the 1930s, based on the Para Handy books by Neil Munro. It starred Gregor Fisher as Captain Peter "Para Handy" MacFarlane, Sean Scanlan as first mate Dougie Cameron, Rikki Fulton as engineer Dan Macphail and Andrew Fairlie as Sunny Jim. These four made up the crew of the puffer 'Vital Spark' which was employed by the Campbell Shipping Company, headquartered in Glasgow and run by Andrew Campbell
3
A reporter sent to cover a murder trial discovers a web of deceit stemming from a torrid affair.
-2
Kratts' Creatures is a children's television program on PBS. The show was hosted by the Kratt Brothers, Chris and Martin. It also featured Shannon Duff as Allison Baldwin and Ron Rubin as the voice of an animated anthropomorphic dinosaur. The show introduced its viewers to the world of animals. 50 episodes were produced in total. The show ran for only one season on PBS from June 3, 1996 until August 9, 1996. Then after cancellation, aired reruns until June 9, 2000. It also aired reruns on PBS Kids Go! from October 2006 to May 2008. Due to its popularity the show inspired an unofficial spinoff, Zoboomafoo, another show created by the Kratts, which premiered on January 25, 1999.
0
Bill Hicks shows us his view on smoking, smoking pot, drinking, sex, advertisement and music. It's not a view you hear very often.
0
A solitary schoolgirl, prone to sudden blackouts after she's stumbled into a murder scene, gets involved with her English teacher. Then, when his wife is also murdered, questions about what's real and what's made up start haunting her.
-3
Some college kids accidently unleash a sex demon and she ends up turning a frat party inside out.
-2
Onizuka is an ex-biker and gang leader who has one goal, to become the greatest teacher. He learns of the power and respect possible as an intern teacher, using his strength and connections to get his students to respect him. Now, graduated, he gets a job at a prestigious private school to handle their 'problem class' that made the past few teachers quit. He must handle a different sort of trouble when the trouble makers include some of the smartest kids in Japan who prefer a more cerebral approach to torturing their teacher. Onizuka must slowly win his students over and deal with their mistrust of teachers while handling the distrust of his fellow teachers.
1
At a prestigious all-male university, three friends seek love outside of the school grounds; at the same time, a newly-hired music teacher seeks to befriend and loosen up the militantly strict headmaster.
1
A mother and father in search of help for their sick daughter cross paths with an extraordinary carpenter named Jesus, who has devoted his life to spreading God's word. An amazing miracle brings to light the true meaning of Christ, and the sacrifices he endured for the deliverance of mankind. A compelling story of faith, trust, and devotion.
4
Someone in a prison run by a corrupt warden fakes the deaths of convicts to later use them as expendable assassins. A police officer is sent into the prison to gather evidence of the corruption.
-7
A young father and his infant son are beset by forces of evil and corruption. They wander China, upholding their sense of honor and protecting the weak. When they are forced into combat, spectacular and hilarious fast-motion kung fu sequences follow. In the end, they must call on all of their abilities in a battle royale, to attempt to vanquish a supernatural man-monster or die trying.
-2
With the Gyaos re-emerging, Gamera's ties to humanity have been severed with his bond to Asagi broken. Nagamine and Asagi investigate while an orphaned girl named Ayana discovers a new creature she names Iris. Nagamine and Asagi must reach Ayana before she takes her revenge on Gamera, who she blames for the death of her family.
-4
Animated version of the Rodgers and Hammerstein musical about when the King of Siam meets a head strong English school mistress.
0
Waxman is a former Special Forces soldier who is now working as a heavily armed assassin for a top secret government agency. When a covert mission goes terribly wrong, Waxman and fellow assassin Clegg become that agency's prime targets.
-3
Rahul, the director of a successful dance troupe, considers Nisha his best friend, though secretly, she is madly in love with him. He then falls for Pooja, who is engaged to Ajay.
1
Meet the man behind the legend in this true story of Vlad the Impaler, whose vicious and cruel reputation as a bloodthirsty warlord became the basis for the myth of Dracula.
-3
In this exciting live-action adventure, young Mowgli, an orphan raised by wolves, is spotted by a scout for a giant circus. Accompanied by a cruel hunter and a snake charmer, the scout sets out to trap Mowgli. But with the help of Baloo the bear and Bagheera the panther, little Mowgli leads the adults into his biggest and wildest adventure yet! A fun-filled movie every member of the family will enjoy.
0
Iron Monkey teams up with his blind friend Jin to bring underworld agent the Tiger to justice. When Jin's son arrives he soon becomes caught up in the conflict, leading to Jin's death. Jin's son now joins the Iron Monkey to avenge his father's memory, as they launch an attack on the Tiger's lair.
-4
A strange meteor lands in Japan and unleashes hundreds of insect-like "Legion" creatures bent on colonizing the Earth. When the military fails to control the situation, Gamera shows up to deal with the ever-evolving space adversary. However the battle may result in Gamera losing his bond with both Asagi and humanity.
-5
Legendary comic Carlin comes back to the Beacon theater to angrily rant about airport security, germs, cigars, angels, children and parents, men, names, religion, god, advertising, Bill Jeff and minorities.
0
Kom is from a tribe of monkeys who live in a canopy. He rejects elders' authority as well as the superstition that the lower world would be inhabited by demons. But he accidentally falls from the trees…
-3
Nelson, played by Corey Haim is a teenager who robs banks with his father in group along with two other friends. Corey Haim Is the right guy, in the right place, at the right time. All he needed was a ...fast getaway
4
Rex the Runt is an animated claymation television show produced by Aardman Animations for BBC Bristol in association with EVA Entertainment and Egmont Imagination. Its main characters are four plasticine dogs: Rex, Wendy, Bad Bob and Vince.

The series began with a short, Ident, in 1989 directed by Richard Goleszowski. After a long gestation period this developed into two unaired shorts and then thirteen ten-minute episodes that first aired over two weeks on BBC2 from December 1998. A second thirteen episode series aired from September 2001 on the same channel. As well as the core cast guest voices included Paul Merton, Morwenna Banks, Judith Chalmers, Antoine de Caunes, Bob Holness, Bob Monkhouse, Jonathan Ross, Graham Norton, Arthur Smith, June Whitfield, Kathy Burke, Pam Ayres and Eddie Izzard.

The animation is unusual in that the models are almost two-dimensional and are animated to exaggerate this - they are flattened in appearance and animated on a sheet of glass with the backgrounds behind the sheet.
-2
While they're on vacation in the Southwest, Rae finds out her man Michael spent their house money on a classic car, so she dumps him, hitching a ride to Vegas for a flight home. A kid promptly steals Michael's car, leaving him at the Zip & Sip, a convenience store. Three bumbling robbers promptly stage a hold up. Two take off with the cash stranding the third, with a mysterious crate, just as the cops arrive. The robber takes the store hostage. As incompetent cops bring in a SWAT team and try a by-the-book rescue, Michael has to keep the robber calm, find out what's in the crate, aid the negotiations, and get back to Rae. The Stockholm Syndrome asserts its effect.
-1
Angel Falls is a mountain ski resort where a nearby volcano is about to erupt. Volcanic scientist Peter Slater must convince his boss and the local population of the danger and begin the town evacuation before it’s too late.
-1
Johnny Woo and Julie play an enduring couple who survive all sorts of interference from rival kick-box gangs in their effort to put a little romance in their lives.
-1
After earth is taken over by an army of robots, the small number of humans left are forced into hiding. In the nuclear winter, only droids walk the face of the earth, in fear of the rumored human resurgence, and in search of a hidden cache of weapons. One robot, his evil circuits destroyed, enters a small town where a robot civil war is taking place.
-2
Rupert is an animated television series based on the Mary Tourtel character Rupert Bear, produced by Nelvana, Ellipse Programmé and TVS for the first season, with Scottish Television taken over control when TVS closed. Aired from 1991 to 1997 with 65 half-hour episodes produced. It was broadcast in syndication on YTV in Canada. In the United States, the show first aired on Nickelodeon before moving to CBS; repeats of the series came to Qubo's digital service in January 2007, and still airs there. The show was broadcast in the UK on CITV and has recently been re-airing on the satellite and cable channels Tiny Pop and KidsCo. In Australia, the show was broadcast on the ABC public broadcasting network and on TV2 in New Zealand as part of the Jason Gunn Show.
0
A boy learns to deal with personal loss by making friends with a wild animal in this drama for the entire family. Jesse is a 16-year-old who is trying to put his life back together after the death of his father, who died while trying to rescue him in the wilderness. Jesse goes to live with his Uncle Roy, who lives in the rugged mountains of Washington State. While exploring, Jesse finds and rescues a wolf who has been seriously wounded; Jesse bonds with the animal, and while Roy understands the dangers of trying to tend to a wild animal, reluctantly allows Jesse to keep him. Jesse, who is fond of snowboarding, teaches the wolf to be his partner in skijoring, a sport in which a dog is used to haul a man on skis. John Rockwell the owner of a ranch, has different plans for the animal; he sees the wolf as a threat to his stock and is determined to see that the animal is put down.
-7
Fourteen-year-old high school student, Amy Dustin, becomes an object of romantic affection to the school's biology teacher and football coach, Pete Nash. They take a sudden interest in each other, sending each other notes and talking on the telephone. Although Pete has a family, the two begin a secret relationship. People then begin to suspect that Pete and Amy are having an affair.
0
Set in a small town in the South, movie centers on Georgia Potter, an old-fashioned widow (Rowlands), whose life changes drastically when her estranged daughter and the son-in-law she never met die in a car crash. When she visits her granddaughter Jacey in the hospital, she’s shocked to discover that she’s half black, but conceals her misgivings and decides to raise her by herself.
-6
A serial killer targets young women wearing gold crosses; Detectives Lutz and Garner enlist Will Spanner to help with the occult angles of the case.
0
After the whole North of the Equator freezes below zero, a group of people in Los Angeles risk their lives while trying to "escape" from the city's hostile conditions, in order to take a ship to a hotter place on Earth.
-3
Arthur Milo, an IRS official with access to detailed personal and financial data, chooses his kidnap victims from his files. Pete Honeycutt is in charge of the case and Milo taunts him with personal phone calls, eventually threatening his family.
-2
Inderjit Bansal comes from a wealthy family. His father and mother, Chandrika, would like him to get married and settle down,but he goes to another city to do his MBA and stays with friends. During this time, he meets Pallavi Sinh (Jyothika) and they fall in love. She reciprocates his feelings, but trouble comes in the form of her tyrannical trio of brothers
0
After masked attackers kill her sister and young nephew, a female psychologist takes the law into her own hands by acting as a defense witness by day and a ruthless avenger by night.
-2
A teenage girl, who feels she must always seem happy for her parents and friends, secretly binges and purges.
1
An airliner collides with a light plane just after takeoff, causing its elevators to jam in the full climb position. It will crash as soon as the fuel runs out, unless some desperate measure succeeds in bringing the nose down.
-2
Witnessing a drug deal involving local gang members and cops, an Australian police officer feels he can no longer be just an observer. He joins forces with a local teacher who just happens to be a karate expert and together they try to take back the streets.
0
5 teenage rappers gets notice of a mysterious witch that supposedly lurks in the ghetto and those who are attacked by her gets a successful hip-hop career. In their search for the witch, they come across various rappers whom already been attacked and retells their experiences.
-1
Roma (Amrita Singh) leaves Ravi (Jackie Shroff) at the alter in pursuit of her bigger ambitions. Her sister Reema (Juhi Chawla), a pale reflection of Roma, steps in and saves the day for her family, having secretly been in love with Ravi all her life. The newly weds start building a life together till suddenly Roma returns, determined to get back what she thinks Reema stole from her.
-1
A desperate writer fights for survival when the Mexican mob involves him in murder.
-1
Sapna, the daughter of the Saigal family's driver is a simple fun-loving girl, but her dreams are not as simple. She dreams about riches and day-dreams about her dream man. Vijay Saigal and Vicky Saigal, both heirs to Saigal Industries have almost all the qualities of a dream man. Almost. Because "All work and no play" makes Vijay a dull boy and "All play and no work" makes Vicky and outrageous flirt, as he does not believe in the affairs of the hearts, but only in affairs. But then even Sapna is not made of the stuff, dream girls are made of. Not until she becomes a successful model and transforms into a beautiful girl. That's when she become Vicky's dream girl. But Sapna's success hasn't changed her status. She is still the driver's daughter and Mrs. Shanti Devi may overlook her son's affairs with rich girls but not with a driver's daughter...
3
British academics Loretta and Bridget run into Sandra, an old school friend at a book launch. Although Sandra appears to be gay and carefree, Loretta notices an undercurrent of tension while Sandra stays with her for a few days. Loretta is saddened to learn her friend was killed in a car accident, and comforts Sandra's estranged husband Tom, her daughter Lizzie, and emotionally disturbed son Felix. While doing so she becomes to believe the accident may not be what it seems, spurred on by the information a local policeman provides her.
-2
In Alaska, Susannah Stanton and Jesse Stanton divorced two years ago. They have two daughters, the teenager Bridget and the young girl Hannah, and a young son, Sam, and they are good friends. Jesse lives in an isolated ranch, where he receives guests for fishing and tracking, and he depends on his plane to go to the city of Anchorage, where Susannah has a restaurant. They separated because Susannah felt bored and lonely in the ranch. Susannah is dating a lawyer, and their children decide to find a woman for Jesse, sending a letter to a popular magazine called Alaskan Love. He receives a large number of replies, and the children later feel that probably his perfect match is Susannah, and they try to arrange a plan to bring them together.
1
Eddie arrives on stage through a huge book which opens to reveal herself sitting at the top of a staircase. Then discusses Caesar dog food, 24 hour garages, Latin, and winds his way through James Bond gadgets, Einstein and Pavlov.
1
A New York executive, Martha, witnesses a murder and discovers that the killer is her new brother-in-law. When her sister is nearly killed and her sister's children kidnapped to silence her, she must unravel the mystery behind the murder to save the kids and see justice served.
-6
Karthikeyan, a photo editor in Mumbai, is a widower whose parents wish to see him settled and happy. Chitra, a widow with a son, gives them hope, unaware that their pasts are intertwined.
1
Call of the Wild is an adventure television series based on the best-selling novel of the same title by author Jack London. It was shown on Animal Planet. The thirteen episodes of Call of the Wild would later be released on DVD into 120 minute full length movie.
-1
Timothy Goes to School is a cartoon series based on the Yoko series and other individual books by Rosemary Wells such as "Shy Charles", "Fritz and the Mess Fairy" and "Noisy Nora", but is titled after the book of the same name.

It features a young raccoon, Timothy, who attends a fictional primary school. The series aired on PBS Kids as part of the PBS Kids Bookworm Bunch from 2000 until 2004. Reruns were later broadcast on Discovery Kids in the US until 2006. This show airs on YTV, Treehouse TV, and TVO Kids in Canada, and also Tiny Pop, a digital TV channel in the UK. In Brazil was aired on TV Cultura. In Mexico and Latin America, was broadcast on ZAZ. The series premiered on September 30, 2000 and aired its last episode on December 28, 2001.
-2
After the murder of his parents and sister at the hands of the villianous gun-running billionaire Ray Lui, crack fighter pilot Yan vows revenge.
-4
After sixteen years of marriage and four children, Betty Broderick's high-powered attorney husband decides to leave her for a younger woman with whom he's been having an affair. Hurt by his betrayal and feeling helpless against his legal expertise, Betty begins a campaign of vandalism and verbal assault. Her rage consumes her and ultimately leads to a terrible and violent act.
-6
Michael, a Vietnam vet with two kids, pulls off a bank heist with his gang, which includes the bank's manager. To ensure the loyalty of everyone involved, Mike makes a special set of keys, so that the hiding place for the loot can only be opened if all the members are present. The bank manager, however, gets cold feet and tries to back out, so Mike and his buddies kill him and his wife. His daughter, however, gets hold of the key and runs for help to David, one of her father's old friends who also happens to be a Vietnam vet and a former comrade of Michael's. Will David be able to protect his friend's daughter?
-1
Wilder and Wallace are brothers and pyrokinetics. Ever since childhood they've been able to start fires with their minds but following a tragedy in which they accidentally killed a man, the brothers have grown up very differently. Wilder has become a regular 9-5 workaday joe but Wallace performs his feats with a traveling circus. When the circus comes to Wilder's home town Wallace starts coming on strong to Wilder's wife, Vida who, ironically, is a slight pyromaniac.
-1
The Police Commissioner, Advocate Sinha and Police Inspector Vikram Singh arrive at the Central Mental Hospital to speak with an inmate, Arun Saxena. They hope to get Vikram to befriend Arun so that they could unravel the mystery as to why Arun ended up romancing wealthy Sapna, then getting involved with Jyoti, and subsequently killing her. Arun is arrested, confesses to the the homicide and is sentenced to be hanged. This news unsettles Arun to such an extend that he becomes mentally unstable and is institutionalized. Vikram hopes to befriend Arun, get him cured and medically discharged, and ensure that he is hanged.
-2
The Ambassador is a British television drama series produced by the BBC written by Hugh Costello.

The series starred Pauline Collins in the title role as Harriet Smith, the new British ambassador to Ireland and dealt with the personal and professional pressures in Harriet's life, as well as wider political themes. Other notable cast members were Denis Lawson and Peter Egan.

Two series were made between 1998 and 1999.
1
A small-time hood, left for dead after double-crossing drug dealers, is taken in by a monastery and taught the art of kung fu.
-1
Two Los Angeles cops go undercover to investigate the distribution of steroids to wrestlers and body builders.
0
An aspiring opera singer from Harlem teams up with a charismatic busker and a kindhearted hustler to share his voice with the world, and teaches his two newfound friends the importance of taking your destiny into your own hands. Anton (Gabriel Casseus) lives in Harlem with his aunt. He dreams of moving to Italy and becoming a famous opera singer, and though he's been blessed with a magnificent singing voice, his passion has made him an outsider in his neighborhood. Running away from home, Anton meets passionate street pianist Matthew (Christian Carmago) and together the two begin drawing large, appreciate crowds on the street. Working the crowd as they do their thing is Wes (Damon Wayans), whose natural charm always gets the cash flowing. And while life on the streets is never easy, Anton, Matthew, and Wes soon discover that by following their dreams, they may find a means of transforming their lives forever.
7
When terrorists abduct a deadly government attack robot, the call is put out to the Gen-Y Cops, an elite task force with lethal fighting skills. Together with a trigger-happy FBI agent, the Gen-Y Cops race against time to destroy the robot before it destroys their city.
-2
A group of homosexual people try to live with dignity and self-respect while events build to the opening battle in the major gay rights movement.
3
Pudhu Nellu Pudhu Naathu is a Tamil film directed by P. Bharathiraja. The music composed by maestro Ilaiyaraaja while lyrics written by Muthulingham, Ilaiyaraaja and Gangai Amaran. Two peasant brothers clash with a powerful landlord.
0
After his girlfriend is kidnapped by a vicious mobster, Cage rips into action with a vengeance. Retired from kickboxing to pursue dreams of being an entertainer, Cage is forced into a death match with the brutal doctor death. He must win, or he will die.
-7
Alex is a young woman with a shaved head and the word 'Void' written in her head that faces an extremely hard social environment thanks to her strong personality. She keeps all her family thanks to arms and drug trafficking, but she is also in love with Javi, a boy from her gang who ignores her.
1
A black ops unit goes to middle east after a terrorist. They are betrayed and their operative is caught. Later, unit leader starts an investigation. Meanwile the enemy offers the operative a chance for revenge against his superiors.
-1
An upper class English family owns a villa in the Irish countryside. When the man of the house leaves to fight in WW2, his mother, wife, dying butler, maid and other staff's life becomes a bit hectic and some love affairs start to bloom.
0
A woman (Cybill Shepherd) financially supports the natural parents in hope of adopting their newborn, but she discovers she is the victim of a scam.
0
Housewife Annie Marsh suspects her husband might be The Hawk, a brutal serial killer. Complicating matters is the fact that she once was incarcerated in a psychiatric hospital. When she discovers she does not have the happy marriage she always believed and begins to piece together the times and dates of her husband's frequent absences, her fears begin to take hold, and her sanity deteriorates.
-4
Kris and Preston team up once again to take on powerful gangster Buntao. But Buntao has problems of his own, dealing with Dazo, another gangster who is on a steady rise to power...
-1
This is arguably Tim Allen's best stand-up show ever and this show truly solidified Tim Allen's unique slant on masculinity becoming the backbone for his TV show “Home Improvement.”
3
A Kentucky woman whose mine-worker husband is nearly killed in a cave-in, and whose father is slowly dying of black lung disease, joins the picket lines for a long, violent strike.
-6
In the midst of World War II, Nazi officer Otto Schatz declares the execution of Jewish music-hall comedian Genghis Cohn. Many years later, Otto is comfortably retired into the life of a highly respected police commissioner, and is investigating a series of murders when he encounters the ghost of Genghis Cohn. The haunting turns into a taunting, and before he knows it, Schatz is slowly driven mad as he is lured into a trap.
-5
Nick, is a young Scottish soccer player living in the big city. He meets Karen, and the two fall in love and move in together. Soon after, Nick exhibits signs of serious illness. As his body slowly succumbs to multiple sclerosis, he experiences a wide sweep of jagged emotions, and in the process gives himself and those who love him the strength to carry on.
-2
Religious fanatics are barricaded in a building, and surrounded by police. But they're not going to surrender, they prefer to die.
-2
Vetri Kodi Kattu is a Tamil film directed by Cheran starring Murali, Parthiban, Meena, Manorama and Malavika. It is about 2 men who find the way to prosperity with their effort in their own country after being cheated by a man who promised them a lucrative job in Dubai.
2
Succesful business woman gives up her career and raises the son of her deceased sister. His natural father who was unaware of his son's existence finds this out after eight years. Prompted by a wise judge, they decide to enter into a marriage of convenience in order to not upset the child. Soon after (with a little help of the boy) they fall in love...
1
Christopher Columbus decides to go on a journey to prove that the Earth is not flat. His companion is a smart wood worm who's on a quest of his own: to save a beautiful fairy princess from the evil lord Swarm and his insect army.
1
Unexpected events occur when Pat, a glamorous British-born star of American soaps, returns home to plug her auto-biography on television and meets, for the first time since they were teenagers, Margaret her plain and frumpy younger sister. The meeting is painful for both women highlighting the vast differences in their lives and resurrecting painful memories of their unhappy childhood with an uncaring, errant mother. The tabloid press smell a juicy story and a race ensues to trace the whereabouts of the long lost parent.
-7
Viren falls for Pallavi, but she marries Siddharth. The couple dies, leaving behind their daughter, who grows up to look just like her mother and falls in love with Viren.
0
Echoing the comic tone of the "Police Academy" films, Ninja Academy boasts an ensemble cast of hilarious characters, bonding while training hard, playing hard and ultimately, losing hard-- In the tough, unforgiving world of martial arts.
-3
In the wintry Rockies, the crash of a medical-emergency aircraft strands the pilot and four travelers, including a critically ill child.
-1
Expert fighters must band together in an ultimate martial arts showdown when Southern China’s High Officers begin smuggling opium over the border and endangering the lives of the local villagers. With no one to protect them and an Emperor that does not honor them, the people turn to the Master Fighters Lin Shih Tsui and Hwang Fei Hung to battle the evil officers and bring justice to the land.
0
One day, Risa Gallagher gets home and finds her husband murdered. Everybody thinks she did it and she gets sentenced to lifetime in jail. She manages to escape and in order to survive, she has to find out who the real killer is without getting caught by the police. But which of her friends can she trust?
0
When the police finds a necklace with some criminal, a detective remembers that it was missing evidence in a murderer case many years ago. So it turns out that Jeff Hayes, sentenced to life-long prison, was innocent. After 18 years in jail he's finally released - but has problems finding back into normal life. There's his father who believed him guilty and his ex-wife Ellen, who told their son Kerry and her new husband Paul Kramer his father had died.
-6
Ranganayak, a rich women, has three sons : Gopi, Madhu and Balu. Ranganayaki wants absolutely a grandson and she will pass on her whole inheritance to her son who has a male child. The elder sons have only daughters and Balu is still bachelor. Balu is a singer in the marriage functions and he falls in love with Swathi, a girl from a middle-class family. He gets married with her and Swathi becomes pregnant. Balu's best friend, Raja, an honest journalist, is married to Shanthi and his wife is also pregnant. Swathi and Shanthi deliver the same day. Balu has a daughter although Raja has a son. In the meantime, Ranganayaki has a severe heart attack and the doctor says to not reveal shock news. In the hospital, a misunderstanding happens and Balu's father shows Raja's son to Ranganayaki in a serious condition. Ranganayaki is immediately recovered. Balu maintains the lie to save his mother's life. What transpires next forms the rest of the story.
-2
Kaalamellam Kaathiruppen starring by vijay and Dimple. Kannan (Vijay) is the only son of Jaisankar and Sri Vidya. Since he's rich, Kannan spends a lot of money everyday. Kannan is in charge of arranging the college cultural function. He happens to hear Manimekalai (Dimple) sing in a temple and he asks her to sing in the college function. But she refuses. All of Kannan's attempts to make her sing fails.In that process Kannan falls in love with her. But, Manimekalai hates him. She gets him arrested for eve-teasing and triggered by that, later Kannan tries to marry Manimekalai by...
-1
Young best friends Stacy and Bradley have a unique ability that allows them to bring their fantasies to life. The kids are able to draw their own cartoons, bringing their imaginations to life. They often use their hand-drawn adventures to help them overcome obstacles they face, whether they involve school, bullies or even their parents. With their drawings, everyday life for Stacy and Bradley can take a turn at any time and become a wild roller-coaster ride. Stacy's overweight dog Frank and Bradley's pet chameleon Lester accompany the best buds on their adventures.
-2
A young woman on the frontier marries a meek farmer who has an annoying habit of going through a rather drastic change every full moon.
-2
Brilliant, brutal and shocking drama starring Jonny Lee Miller and John Simm, following an ex-convict who falls for a prostitute, but makes a dangerous enemy of her pimp.
-4
A young journalist is assigned to work with a more experienced writer on a scandal paper. On an assignment to write about a mental-hospital patient who supposedly can predict people's deaths, the younger reporter suddenly experiences a recurrence of lost feelings she had from a near-death experience years previous in an air crash. Written by John Sacksteder
-2
High School basketball coach, Dinah Groshardt, falls for the school secretary, Carly Lumpkin, and upsets the entire school in the process.
-2
A Los Angeles district attorney must choose between family loyalty and his job when his long-lost brother turns out to be a powerful mob figure.
2
Hop into a delightful, modern version of Beatrix Potter’s classic children’s story.
3
Erik Eriksen, who has become a successful pianist in New York, is back in Templeton, his Mormon community, where he is still treated distrustfully by its members, including his family, for having 'betrayed' them in not living the life God had planned for him. Only his mother and his younger brother Jens, support him unconditionally. Erik falls in love with Chelnica, a beautiful young woman who plays the piano at the local cinema and a dedicated Mormon. The big trouble is that she is also Jens's fiancée, due to marry him soon...
3
5-Time World Kickboxing Champion Curtis Bush plays Alex Hunter, an up-and-coming kickboxer whose fiancé and father are brutally murdered by the city's cold-blooded and sadistic crime boss, and he himself tortured and left for dead. Discovered and nursed back to health by a wheelchair-bound Vietnam Vet who becomes his mentor, Alex is transformed into an avenging streetfighter - a one man vigilante and skull-cracking killing machine known as...The Dark Angel. Using controlled fury and a hunger for revenge to seek bloody retribution against low-life criminal scum, Alex's ultimate target is the untouchable crime boss. But a beautiful tabloid journalist who seeks to uncover the true identity of The Dark Angel is hot on the trail, yet that won't stop Alex from exacting his "eye for an eye". First, he must enter the Arena of Death and destroy one-by-one the most savage and deadly fighters imported from around the world by the crime boss...
-13
Peter Coyote (E.T., Erin Brokovich) and Karen Allen (The Perfect Storm) star in this touching family drama about the unifying power of basketball in a community torn apart by war. Both a riveting sports film and a tale of triumph over adversity, The Basket is "a hoop dream movie with a whole lot of heart" (Dallas Morning News)! In 1918, when the wheat-farming townspeople of Waterville, Washington, welcome home their first wounded son from WWI, they'restruck by the harsh reality of war. And just as bigotry and hatred toward two German orphans dividethe close-knit community, a new schoolteacher, Martin (Coyote), rolls into town with some strange ideas and an even stranger leather ball. Through the brand-new game called basketball, Martin strivesto bring harmony to the town...before it tears itself apart!
-2
Detective Eliot Ness comes back to town to fight corruption and avenge a former partner's murder with the help of the son.
-3
Paul Hegstrom is a so-called family man who puts his wife through domestic violence and his children through emotional torture. After leaving his family and almost killing his new girlfriend in one of his rages, Paul is ordered to either seek professional help through an innovative therapy program or go to jail.
-2
In hospital, photographer Jinx Kingsley wakes from a coma after a car crash - a failed suicide attempt, prompted by her fiance Leo jilting her to elope with Jinx's lifelong best friend, Meg. The discovery of Leo and Meg's bodies - brutally murdered in the same manner as Jinx's first husband - makes Jinx the prime suspect. Then, with the help of eminent neuroscientist Dr.Alan Protheroe, some memories begin to surface. Memories of desperation and paralysing terror.
-5
Thirteen-year-old Desi has two big problems: her cartoonist father is being duped by a sexy, money-hungry agent, and she needs to find a date for a friend's birthday party. An apprentice angel is sent to Earth to help Desi deal with the situation.
1
Shri Bhramma is unhappy with Yamraj and his assistant, Chitragupt, as they have misplaced a book or prophecy called "Bhavishya Vani", and asks them to go down to Earth and find the book within 30 days or else they will lose their status in heaven and will be forced to live as mortals on Earth. The two descend to Earth, and find out that the book is in the possession of a man named Suraj, who is unwilling to give up the book as he has read the prophecy about his mother's dying. This refusal is catastrophic as Yamraj cannot plan anyone's death, and no one will be permitted to die unless and until the book comes in his possession. At the same time there is an evil man named Chota Ravan who is trying to possess the book in order to spread his control over Bombay.
-8
Raja, an aspiring actor from a village, relocates to a big city to follow his dream. There, he meets his childhood friend who promises him an acting job but later learns about his evil intentions.
0
Ground Force was a British garden makeover television series originally broadcast by the BBC between 1997 and 2005. The series was originally hosted by Alan Titchmarsh, Charlie Dimmock and Tommy Walsh and was produced by Endemol for the BBC.
0
Hamel portrays director Dickoff who suspends her career in order to help a friend who's been in prison for quite some time in connection with a murder.
-2
Across the Line (2000) is a truthful representation of both hope and corruption, focusing on critical events transpiring at America's border with Mexico and known both to those who live on the "line" (physical and metaphorical) and to those with the courage to cross it. Further it is a fine example of the filmmaker's art, featuring convincing portrayals underpinned by a convincing script and the directorial talent of Martin Spottl.
4
Azhagappan, a handsome widower with four children, gets caught in a dilemma where three different women are in love with him. Soon, the children devise a plan so that he gets married to one of them.
1
Inside a secret door under the stairs, Claire and her sister Caitlin find an enchanted trunk, a magical locket and an invitation that whisks them away to a magical kingdom.
3
After her partner mysteriously disappears, Detective Kelly Jones is lead to a nursery that seems to hold many secrets.
0
Captain Ranvir is assigned the task of apprehending two terrorists named Shaka and Dara. Upon arrival in the region, he meets with and falls in love with Radhika, the daughter of Rajasaheb, who also is a Mantri. The latter approves of him, and arranges his wedding with his daughter. Before the engagement could take place, Ranvir finds out that he has a rival in Shaka, who was in love with Radhika before, and is all set to prevent this marriage at any and costs. Ranvir decides to postpone his wedding until such time he arrests Shaka and his associates - a decision that will not only pit him against well-armed terrorists, but also result in the abduction of a bus-load of Vaishnodevi devotees - which include Radhika and her Bua.
0
When a 12 year old boy with an attitude witnesses a mob killing, the job of protecting him falls to a down-on-his luck cop.
-1
When a prominent lawyer is found murdered, his wife is promptly arrested and charged with the crime.  She swiftly accuses her stepson, with whom she claims to be having an affair.  This sheds enough reasonable doubt to get her case dismissed on grounds of a mistrial, but three years later, prosecutors arrest and charge her again.  Will she be so lucky on her second go?
2
Jeevanandhan meets Mini in a book shop and their eyes meet leading to sparks of love in their hearts. Mini has a loving mother and three brothers, James, Thomas and Stephen and she is the apple of their eye. Mini is hesitant to reciprocate her love for Jeeva who steadily makes an inroad into her heart, the love affair incensing her family members who give him a thrashing each time he meets her. Jeeva's parents are under the impression that their son is pursuing his MBA studies until his father receives an SOS from Jeeva, injured in one such beatings. His father Chandrasekhar is stunned by the developments and Jeeva's mother is also shocked. Jeeva refuses to part company with Mini when his father arrives with his henchmen to take him back.
3
A widower becomes re-charged when he meets an outgoing widow, but his son tries to block the romance.
0
Guna, a mentally-disturbed man, imagines a fictitious character of a woman to be his future wife. One day, he sees a girl in a temple and assumes that she is his imaginary love and kidnaps her.
-1
Vaanavil is a 2000 Tamil film produced by Guru Films and directed by Manoj Kumar. The film casts Arjun in the lead role.
1
Vishwanath is a multi-millionaire industrialist, who lives in a palatial house, with his only chid, a son named Vijay. Vijay has been literally born with a silver spoon in his mouth, and indulges in life's temptations and weaknesses to the extreme. Vishwanath would like his son to get married and be responsible. Vijay agrees to get married on condition that his future bride sign an agreement that the marriage is on a trial basis for one year, and thereafter is Vijay does not fall in love with her, the marriage gets annulled. Vishwanath asks his personal assistant, Megha, to quit her job and marry Vijay, but Megha refuses. Megha comes from a poor family, consisting of her mom, two other sisters, and one brother. Written by Shrikant
-2
Devil Gold is director José Novoa's third collaboration with producer Elia Schneider, and like the previous two films, Huelepega (or Glue Sniffer, which Schneider directed in 2000) and Sicario (1994), the film is a thriller-melodrama that focuses on a real-life problem plaguing Venezuela, with an emphasis on how the conditions affect children. Thus, after a few titles explaining the impact that gold mining has had on the country's Amazon region, along with helicopter footage (later to be blended into the narrative) of the ecologically devastated area, the film settles in on the lawless shanty town of Payapal for its narrative. Gallego (Armando Gota) runs the mine, exploiting his cheap labor force. Aroldo (Pedro Lander) breaks into Gallego's safe and steals his gold, along with a good deal of gold that Gallego was holding for his workers. Aroldo involves the unwitting Carmen (Jenny Noguera) in the robbery, and, when they are discovered, he shoots and kills Gallego's young son.
-1
Property developer Jamie has to evict some weird, post-modern hippies from a building. But they slowly drag him into their dark underworld of bizarre rituals and dangerous liaisons.
-6
A lonely Russian man is trying to see his daughter, who lives with her mother far away in the USA.
-1
A detective is assassinated by a black gang. Now his friend is trying to find the killer.
-1
Hurricanes is an animated series produced by DIC Entertainment, Siriol Productions and Scottish Television. The show was distributed by Cookie Jar Entertainment for syndication outside of the UK, with Scottish Television controlling the UK rights. The series first aired in 1993 and ended in 1997.
1
Emmy Award-Winning Special  Desi and Lucy's daughter, Lucie Arnaz, hosts this emotional and honest glimpse at the extraordinary lives of her world-famous parents, highlighted by never-before-seen color family movies along with insightful interviews from family members, business associates and celebrity friends such as Bob Hope. Winner of the Emmy Award for Outstanding Informational Special, LUCY & DESI: A HOME MOVIE is a sensitive and absorbing documentary that details the circumstances which brought the immortal twosome together and ultimately drove them apart.
8
A 16 year old boy who had thought that his father's death was an accident, suspects otherwise when he receives a 10-year-old lost letter his father had written just before his death.
-4
Surya (Ajith) has been brought up in the army barracks in Ooty, ever since his mother(Sukanya) handed him over as a baby to a brigadier (Nasser). She tells the officer the reason for her action but the audience is not allowed to hear it at this point. Surya grows up to be a patriotic youth and the best soldier in his class. He falls in love with Indu (Simran), the daughter of an army officer. Indu's parents accept her choice of husband but soon after, her father dies in a bomb blast while her mother loses her life on seeing her husband's body. Not wishing to lose her husband too in war, Indu asks Surya to choose between her and the army.
-1
An ancient talking macaw named Mac becomes the saving grace for an elderly man threatened with a nursing home, when it is discovered that the talking bird knows the whereabouts of a buried treasure from its days with a pirate. His grandson decides to go off on the hunt only to discover that a resort now exists where the treasure is buried.
3
Michael, a young autistic boy who has trouble with verbalization but a real talent for technology, uses a computer to plead for help after being molested at his school.
0
Family tension runs high when four grown siblings reunite at their elderly mother’s home. When the mother reveals that she might sell off the estate, the announcement stirs up painful memories and uncovers a long-buried secret.
-2
Lily Whitmore is the heir to a crumbling factory that she's determined to restore to its former glory. Unfortunately, Lily must instead turn her attention to the conniving Lionel Filmore who's determined to marry into the family no matter what.
-1
Tata Birla is a 1996 Tamil film directed by C. Ranganathan. The film stars Parthiban, Rachana Banerjee, Goundamani and Manivannan in lead roles.
1
A girl is beaten and raped by someone from the school, but he doesn't go to prison because there is no proof about it. Now, the girl's mother tries to reveal the truth...
-2
In this gritty cops-and-crooks drama, two detectives hunt a gang leader suspected of murdering a New York cop. The detectives enlist the help of the dead cop's partner, who is also the brother of the gangster. There's nothing civil about this war that has two brothers squaring off against each other. The strong cast includes Mario Van Peebles, Ray Sharkey and Peter Boyle.
-2
This is a family drama. A poor school master had three sons and one daughter. He was very tense for his daughter's marriage. He meets his former student Bablu, who meets Minu and falls in love with her. He wants to marry Minu. But Minu loved another boy, Alok. Bablu meets Alok and helps him by giving him a job in his office. But Alok was an uncivilised person and falls in love with Rupali, a girl in Bablu's office. Rupali was not a very nice person. Bablu warned Alok about her but Alok left Minu and started staying with Rupali. Minu was dejected and wanted revenge. She wants to transform herself and Bablu helps her to become Minoti,a modern cultured lady. Alok now wants to get Minoti but she slaps him. Minoti realizes that Bablu is the right man for her and they get married.
-1
Shane MacQuade is a rising star in Hong Kong's underworld kickboxing rings... until he wins a fight he was supposed to lose. Framed for murder, running from both the Triad mob and the police, Shane escapes to America. There, a chance encounter with a professional hitman in the Nevada desert ends with Shane taking the man's identity and his life. Shane finds that the violent world he left behind in Hong Kong is too strong to escape. A crooked Las Vegas fight promoter and a stripper named Angelique draw him into a web of sex and murder that will test his martial arts skills to their limit and change his life forever.
-3
Beta is the story of Raju, the only child of a widowed multi millionaire. Raju's father can provide him anything he wants but Raju's only desire is to get mother's love, in order to please Raju, his father gets married to Nagmani, thinking that she will take care of Raju more than his real mother would. Raju becomes completely devoted to his stepmother, doing whatever she wishes. Time passes by, Raju grows up and gets married to Saraswati. Saraswati discovers that Nagmani's motherly love for Raju is fake and all what Nagmani is interested in, is capturing Raju's wealth.
1
Lewis 1997 HBO stand up special was filmed at New York s historic Bottom Line. The Los Angeles Times called it, his best show ever.
1
An adaptation of Strindberg's play, set in England, 1945 an the night of the Labour landslide.
0
Some time after her messy divorce, Fanny Connelyn realises her ex-husband is becoming her best friend.
0
Rosie Williams is haunted by the murder of her husband 12 years previously. Her teenage son John is heading for a life of delinquency fuelled by revenge. Then, he meets Billy McVea, who runs a boxing gym, affecting all their lives.
-3
Drama - A family is shattered when seven-year-old Jennifer disappears while she and her mother, Sharla, are shopping. -  Marcia Welch-Kahler, Joel King, Travis Opdyke
0
Angelo arrives in New York along with his friend Jimbo, convinced that he will find work. Not wanting to return to Italy after being rejected, they decide to drive to California.
0
The second of three contemporary stories showing in the Love Bites 1997 season.  Clare accuses fellow-student Jamie of raping her after their first date. Three months later they face each other in court.
-1
Bharath is framed for the murder of his elder brother by Gangadharan, a powerful businessman. In jail, he befriends three convicts who help him escape and take revenge against Gangadharan.
-1
His rough tactics in his native Auckland get Maori detective Tito Ihaka sent to Sydney while the scandal blows over. There he's teamed with urbane police media officer Kirsty Finn to review the unsolved murder of a supermodel. Their investigation lands them in political hot water, and when Ihaka's inquiries lead to a murder and further complaints, he thinks he's solved the case. But all he's done is create a ruthless and powerful enemy.
-5
Fate leaves Chandni shattered as her love Rohit disappears from her life. She meets Lalit and they befriend each other until Rohit knocks on her door.
0
Rajnandini, a rich girl, appoints Rama, a simpleton, as her bodyguard. She soon falls in love with him, which creates havoc in his life.
0
When a state trooper is gunned down on a New Jersey highway, his friend and colleague sets out to track down the killers. Realizing the murder is connected to an extensive underground terrorist ring, he joins forces with the FBI on a massive five-state hunt. Based on a true story.
-2
Two friends, both named Frank, accidentally obtain a suitcase at the airport. It contains incriminating evidence against a mafia boss, who sends his Terminator-like lackie to find them. The Franks hide by impersonating make-up women for a beauty pageant. While in drag, the mafioso falls in love with one of the Franks.
0
A rookie female cop, raped by a fellow officer, risks her career and her life when she reports the attack. Based on a true story.
-3
Presenting a whimsical holiday surprise package bursting with comical elfin escapades, Yuletide musical fun and brilliantly animated fairy magic!
1
Sara Thornton was sentenced to life imprisonment after being convicted of the 1989 murder of her violent and alcoholic husband. Thornton never denied the killing, but claimed it had been an accident during an argument.
-5
Shiva, a happy-go-lucky young man, helps two of his best friends get married, much to the dismay of their parents. When the woman is raped by Madan, Shiva and his friends seek to bring him to justice.
-1
Kottai Vaasal is a 1992 Indian Tamil film, directed by Selva Vinayagam and produced by Mohan Natarajan and Tharangai V. Shanmugam. The film stars Arun Pandian, Sukanya, Saranya and Goundamani in lead roles. The film had musical score by Deva.
1
Continuing the Screen Two series of dramas is David  Pirie's futuristic thriller starring  Trevor Eve  Germany, March 2000: Detective Alex Fischer investigates the murder of a young Danish woman, whose body has been slashed from head to foot. On the ground beside her are the words in Arabic: "We are crossing. "As the threat grows of a mass exodus of refugees caused by civil war in Russia, Fischer sets out on a hazardous search for the truth with refugee Anna.
-2
A man, who is the youngest in the family and much pampered, is detested by his elder brother. He falls for a girl and decides to meet her family, but out of animosity, his brother damages his image in front of them.
-3
Thirumoorthy is a corrupt politician who plans to kill the prime minister as he lusts after his position. However, Sekhar, a young police officer, creates hurdles in his path.
-2
Margaret (Lena Headey) is a shy, pale, middle-class Englishwoman who is reluctantly engaged to her older, twittish neighbor Syl Monro (David Threlfall). Both bride- and groom-to-be still live with their mothers in the humdrum suburb of Croydon. However Margaret has been acting strangely ever since a vacation in Egypt, where she stayed with her mother's friend Marie-Claire (Catherine Schell). She secretly despises Syl, but does not resist when her mother Monica (Julie Walters), who has repressed the failure of her own matrimony, insists on marriage for the sake of social convention.
-4
Elizabeth Sheridan is a painter, living in a beautiful home on the coast near Seattle, where her wealthy husband Cole runs a yacht-building company. Elizabeth and the firm's top designer, Tony Blanchard, are having an affair. A particularly nasty blackmailer confronts her with pictures, threatening to give them to Cole; she and Tony agree to pay, but after two deaths and a torched house, things have gotten complicated: infidelity pales next to a murder charge. A high-school yearbook photo takes her further into danger. What motive might explain and connect the twists? Is she ensnared beyond hope?
-5
Padmanabhan has earned the nickname Budget as he is a miser. However, he struggles to save his father's house from money lenders as his wife is a spendthrift and never lets him save enough.
-1
In 1994, New Zealand mountaineer, Mark Whetu, summitted Mt Everest with climbing partner and friend Mike Reinberger. However it was late in the day and after a freezing night on the summit, Whetu was faced with a terrible decision...to leave Reinberger or stay with him forever.
-2
Venture back through the mists of time to the glorious lost age of the fabled King Arthur, the sorcerer Merlin and the valiant Knights of the Round Table, as you enter into the magical and timeless realm of Camelot!
1
After attending his 23rd funeral for a friend with AIDS, Troy and his friends hatch a plan to steal the HIV drugs that they need. One sucessful heist leads to another and another until they have so much inventory they decide to begin their own community distribution program.
0
In this thriller, Jamie Sanford is murdered by a group of counterfeiters when he attempts to expose them in order to secure an early parole. However, when aspiring writer Clark learns of his brothers death, he sets out to exact revenge and bring the guilty to justice while being framed for his brothers murder.
-3
After meeting her old school friend Sandra Delaney, who now works as a stripper, pub owner Maureen Hardcastle decides to spice up her flagging business by turning it into a male stripper club, with the help of untrustworthy businessman Billy Bowman.
-1
This movie is about Sathyaraj who loves Roja one-sided and she marries her uncle. Once Manivannan & Roja's husband get into a fight. Unfortunately Roja & her husband passes away. So Sathyaraj does not marry anyone & Devotes his life for Roja's daughter Sangeetha. Because of this issue there was a break in the family, Lakshmi who is Manivannan wife and Satyaraj's Sister and he were separated. This made Manivannan very angry so he always wants to avenge. Satyaraj save a girl (Meena) from the sea, who doesn't want to divulge her past. As time passes, Meena gets closer into the family and Manorama( mother) asks Sathyaraj to marry Meena. And this creates a problem for Sangeetha as she loses Sathyaraj's attention, she comes out of her family and stays in Manivannan's house. Later Lakshmi explains the whole story to her and lets her go to her father. In the end Meena, Sathyaraj, Sangeetha, Manorama, Goundamani & Senthil live together happily.
-6
Prabhu is a kind-hearted poor man who works as a coolie in bus stand. Visu, a marriage broker wants him to pose as a rich man from Singapore and marry Sukanya to break the arrogance and her money-minded father (Radha Ravi).
-1
After many years in prison, a changed robber comes home to see his sons again, one of them brain-damaged. Due to many misfortunate events and terrible tragic misunderstandings, they go on the run, leaving a bloody trail wherever they go.
-5
Three childhood girlfriends reunite at the parents' remote cottage where they try and come to grips with their separate development and diverging interests. Then a man with a secret shows up and lies his way into their situation. They take turns falling in love with him and then suspecting he is not being level with them, which causes a strain in their already strained relationship. Eventually they must make a decision on whether to get rid of him or flee.
-4
Rishi, the son of a wealthy man, leads a carefree lifestyle. However, his life begins to change when he meets Nila, a college student, and gradually falls in love with her.
3
A teenage couple fall in love, but their relationship is opposed by the girl's father because the boy is not from a wealthy family.
1
When martial arts champion Pinoy (Shishir Inocalla) travels to America, his fighting skills are put to the test when he finds himself in the middle of a violent gang war. Forced into sudden street combat against fierce members of the Crazy Dragons gang, Pinoy saves the life of Jesse (Ernie Reyes, Jr. - Red Sonja,The Last Dragon). Impressed with Pinoy's amazing fighting abilities and grateful for his life, Jesse befriends the stranger, introducing him to his father.
1
Raasi (Tamil: ராசி ) (English: Luck) is a 1997 Tamil film directed by Murali-Abbas and produced by S. S. Chakravarthy. The film features Ajith Kumar and Rambha in the lead roles with Prakash Raj and Vadivelu playing supporting roles. The film was released on 14 April 1997 to negative reviews and reception.
2
A museum worker pretends to be an artist in order to impress women. When an attractive assistant director of a SoHo art gallery overhears him, she offers to exhibit his work. He plays along, which leads to a series of complications following his newfound double life. He starts falling in love with the assistant director, but her art critic fiancé grows suspicious.
0
A lady private eye on her first job working a routine divorce case teams up with a cynical, heavy-drinking police detective after inadvertently stumbling upon a much bigger caper involving a mysterious fugitive.
-3
A detective investigates a suicide at a controversial therapy centre.
-2
Cardiac surgeon Alex Marsden has an affair with Marcella Duggan, but then finds himself having to operate on her husband Larry, who is also his friend.
0
A journalist knows more about a grizzly murder than is good for her. All her evidence points toward a mysterious millionaire but no one will believe her.
-1
The true story of the disappearance of Sarah Porter. With no help from the police, Sarah's parents are forced to act on their own to find her. They must battle the bureaucracy of the police department while they are searching all over town for clues to Sarah's whereabouts. When the crucial clue is discovered, Shara's father confronts her kidnapper at gunpoint.
0
A kind hearted, young orphan boy and his loyal cat discover the true spirit of Christmas in this delightfully animated Yuletide tale of musical, magical holiday cheer!
3
Detective Stephen Kermsin and Terrin Sizeman do not have time on their side as they embark on a case which turns more and more surreal with every discovery. As inexperience and a possible demotion loom, the two are thrust into the life of Dr. Roger Carl and his quirky assistant. A geneticist by day, the doctor's claims seem unbelievable as he boasts that a synthetically engineered human is responsible for the recent murders in which the detectives are investigating. He provides evidence which shockingly gives credence to his allegations. As tension builds the Detectives struggle to hold their careers and personal lives together. Ultimately they must take a leap of faith to restore their reputations as they discover that science can be perilous when its power is in the hands of a madman.
-5
Tom is a young man with AIDS living in London with his lover Ira. The disease has exaggerated Toms nervous energy and in his manic state he suddenly decides to go to Glasgow to visit the family he hasn't seen in ten years. His brother Ian is thoroughly disgusted by his lifestyle and only his mother shows any compassion for him. The visit soon develops into a nightmare as dementia sets in and Tom's health rapidly declines. Finally, events come to a head and Ira has no choice but to force Tom back to London, where he expects him to die at any time. After treatment, Tom gets a brief reprieve, having discovered that his real family is his adopted one in London.
-4
Hope springs eternal in this heartwarming tale about the citizens of a small West Virginia town forced to live in a government-provided trailer park after a devastating flood. As the impoverished flood victims struggle to survive, each resident fantasizes about a better life -- and indeed, a miracle is just around the corner. The film features cameos by country singers Johnny Paycheck, Porter Wagoner and Webb Wilder and wrestler Dusty Rhodes.
-1
Yakov Smirnoff TV special from Moscow, Idaho
0
Phyllis Loden is an overweight shy nerd who is relentlessly picked on by the more popular girls. This year's Slivis Slough Queen Beauty Pageant is fast approaching and Muffy Fairlane is a lock to win. However, Muffy doesn't want any of her friends to come in last so she enters Phyllis in the pageant. The plan works and also provides the girls with some opportunities to embarrass Phyllis in front of the whole school. As if that isn't bad enough Elizabeth McKay thinks she could've won it all if it wasn't for her allergic reaction the Phyllis' cat. So the girls decide to dispose of the feline. That turns out to be the final straw which sends Phyllis on a murderous rampage to eliminate the beauty queens one by one.
1
Alexander Hollingsworth III is a millionaire's son, who has trouble managing his estate. So, his father decides to cut him off, so that he might be able to stand on his own. But a year later things are not going so well for him; he has amassed a great debt and is being pursued by the IRS. When an FBI agent, Ed Smith, needs to get into his inner circle so that he could get a devious businessman who is into all sorts shady activities. He offers to help Alex with some of his financial problems and his problems with the IRS, in exchange for being a government informant. Alex says yes because the man once burned him.
-5
Rajini is working as a coolie in a factory. He is asked by three brothers to act as a foreign-returned rich man the heir of a property. Rajini acts but always escapes as he doesn't want to face consequences. But then he comes to know that he is the heir to the property, his father was killed by three brothers to take away the property and mother  became a mental patient. He avenges the death of his father by killing the villains. At last, he says he doesn't want to be an heir to money and always remains as a coolie.
-1
A woman's fight to adopt a war baby from the Third World after becoming unable to conceive.
-1
A female dancer becomes famous but loses her relationship with her daughter on the way.
0
Mugguru Monagallu is a Action comedy based movie in which, Prithvi, Vikram and Dattatreya (Chiranjeevi in triple role) are the sons of Ranganath and Srividya living in a village. Ranganath goes against Sarath saxena in an incident and is killed by him. Srividya who is pregnant with twins is separated from prithvi thinking that he is killed in escaping from the goons and delivers twins in a temple. The temple saint adopts one son who is childless and srividya is left with vikram who becomes ACP. Dattatreya is a Dance master. The story revolves on how the brothers unite with one another and also with their mother and take revenge on Sarath Saxena.
-2
Kanave Kalaiyadhe is a 1999 Tamil film directed by V. Gowthaman. The film stars Murali, Simran, Shakti Kumar and Chinni Jayanth in lead roles.
1
Documentary that follows the lives of several Jewish refugees who fled to Shanghai during WWII.
0
An adaptation of Arthur Miller's play.
0
D.H, Lawrence's early play about a married woman who wishes her husband dead after falling in love with another man comes to the screen in this adaptation starring Zoe Wannamaker and Colin Firth. When her wish becomes a horrifying reality, her life begins to change in ways she could have never anticipated.
-2
Present-day Portland suburbs kids Dylan and Nicole go on the camping trip with their family, and when they enter a mysterious cave in the mountains, they're transported back in time to 1870, where they meet mountain man Jeremiah.
-2
Jesse Threebears is a troubled Native-American teen who has been tossed from one foster home to the next since his mother died when he was an infant. Finally, he is taken in by his grandfather who, after a ten year stint in prison, is living on the reservation. With the help of his grandfather and several others who live on the reservation, Jesse begins to learn about his heritage and how to come to terms with his troubled life.
-4
Tom Weston is a short tempered truck driver who has always aspired to live big. He begins dating Bobbi Gilbert, who is half his age and plans on marrying her, which is a problem since he's already married to Nancy. Now to achieve the life he's always wanted, Tom begins to concoct a web of lies that lead to betrayal, deceit, arson and murder. Based on a shocking true story.
-5
A beautiful peasant girl is romanced and abandoned by a young nobleman.
1
Adam Swapp and his brother Jonathan are suspects in the bombing of Mormon Center in Utah. The brothers and their families hold-up on their farm with provisions and enough ammunition to withstand the governments siege. They are devout in their beliefs and purposes and are determined to stand up for their rights.
1
Two boyhood friends end up on different sides of the law. How will each react when they meet up for the first time since school?
0
A little boy growing up on a farm in rural Louisiana in the 1930s wishes for a White Christmas and must do a selfless act in the spirit of giving in order to get his wish.
0
A musician falls in love with a woman who is the illegitimate daughter of a Brahmin from his village. But she refuses to accept him since she is 10 years older to him.
-2
An comedy concert featuring American stand-up comedian Tommy Davidson performing his classic comedic jokes. The concert was filmed before a live audience in Philadelphia, Pennsylvania.
0
A male nurse in a mental hospital witnesses one patient killing another, but struggles with his loyalties and his conscience to come forward.
0
A serious heart condition puts an end to Charlie King's job as a "street copper", but he refuses the offer of a desk job and a promotion. When a secret team of negotiators approaches him with the offer of a job, he's intrigued, but who is he dealing with?
-1
A mother (Patty Duke) goes to Chicago to try to find her son (Robert Floyd) who has suddenly quit contacting her and can't be reached.
0
Two young children are brought to Janet Hinton, a social worker in the Scottish Highlands. When both she and an independent expert become convinced that the children are part of a ritual child abuse network, the small community is thrown into disarray.
-2
In 1942, the Japanese occupied the island of Singapore. During the take-over, not only military soldiers were taken prisoner, but also innocent civilians, particularly women and children. This is the story of a group of women who band together to face brutal treatment, harsh conditions, and ruthless captors to survive their internment.
-4
Lili, who runs the family business, strives for the well-being of her sister Mili. Fate plays a cruel hand when Lili unknowingly falls in love with Mili's lover.
1
This documentary recounts the events that surrounded and led to the Oka Crisis of the summer of 1990. The film focuses on the Mohawk territory of Kahnawake, in Quebec, but also reflects on the relationship between Canada and Indigenous peoples at a particular time in history.
0
Two small time lawnmowers try to find treasure so they can purchase better equipment, but will something supernatural intervene?
2
Comedian Yakov Smirnoff performing at the Yakov Theater in Branson, Missouri. Once again, using his skills with irony and word play to show the contrast of life here in the United States, and the former Soviet Union, the place of his birth. A lovely walk through context, meaning, and a slight dig at the English language.
1
Pet Rescue was a British daytime TV series broadcast on Channel 4. Launched in January 1997, it chronicled various pets and animals being rescued, cared for, and then either rehoused or returned to the wild.

Produced by Bazal Productions/Endemol for Channel 4, and with a theme tune penned by Simon May, it ran to a set format, which developed little over time:

⁕A central presenter

⁕A location, based around an RSPCA office

⁕A couple of 'show' stories which were intertwined, and reached conclusion within that show - i.e.: animal rehoused/released into wild

⁕A longer story about a particular animal, species or animal issue

The program closed with an "advert" for a particular animal which had spent a lot of time in a rescue home, which the public could call in to apply to rehouse. This later feature followed normal RSPCA rehousing procedures, and was not a "lottery".

Presenters included:

⁕Mark Evans

⁕Tris Payne

⁕Matthew Robertson

⁕Wendy Turner Webster

⁕Helen Page

Channel 4 axed the series in November 2002, shortly after it had reached its 1,000th episode. Repeats can now be seen on Animal Planet, National Geographic Wild, and DMAX. In 2005, Wendy Turner Webster re-recorded her voice over of the show, to keep viewers up to date with animals progress due to repeat airings.
-3
A wonderful dark tale of coming of age in a country in transformation - then Czechoslovakia (now Slovakia) in 1990s. Against the backdrop of a regime change and general crisis of basic values, a young man is finding his way into adult life. Playing a part in a love (hate?) triangle he does not fully understand until the conclusion, he desperately tries to make sense of the unpredictable behavior of the other two main characters which is linked to the secrets lurking in their past. All this while he is not sure about his own role in a world where yesterday's truths mean nothing today. Brilliant actors in a brilliant film that even gives you a glimpse of hope at the end.
-2
Ravi has achieved law degree but has stopped practice and writes novels based on crime and detective.20 years ago his father Chamanlal had to flee the country and was pursued dead but he made it big in Singapore and wants to transfer 10 Crore to Ravi and his mother.Till date no one has seen Ravi and he has a fan in him Aarti and everyone is shocked at a conference to know that Ravi was anonymous writer behind the novel.Jamna Das and Babubhai who had framed Chamanlal find out about the amount he is going to transfer to his family and hire Ravi to work for him by knowing his skills and taking his mother hostage.But are unaware that he is son of Chamanlal.
-2
It explores the fate of the endangered wild Suffield horses of Alberta. Located near a military base close to Medicine Hat, these animals were originally domesticated but returned to the wild over generations. These horses face endangerment because of their growing numbers and the limitations of their environment.
-3
Ted Lyle is a Detective Constable in a small English town. The discovery of a local girl's body in a field outside town sets the local community on edge. But the impact it has on Ted's family is life changing for everyone.
0
Legendary comedian, Gallagher, pokes fun at America.
2
Lock up your watermelons, and anything else that splatters! With a name like "Sledge-O-Matic" you know Gallagher is sure to get crazy in this special filmed in 2000!
-1
A man with amnesia is a suspect in a murder case. While the lead detective and his therapist are his only chance of freedom, he battles with mental health issues.
-1
A group of struggling actors and dysfunctional dreamers wait for their big break while they are stuck serving hors d'oeurves for a Hollywood catering company 'Party Down.'
-3
Dr. Gregory House, a drug-addicted, unconventional, misanthropic medical genius, leads a team of diagnosticians at the fictional Princeton–Plainsboro Teaching Hospital in New Jersey.
1
Thanks to his police officer father's efforts, Shawn Spencer spent his childhood developing a keen eye for detail (and a lasting dislike of his dad). Years later, Shawn's frequent tips to the police lead to him being falsely accused of a crime he solved. Now, Shawn has no choice but to use his abilities to perpetuate his cover story: psychic crime-solving powers, all the while dragging his best friend, his dad, and the police along for the ride.
-1
Joel Barish, heartbroken that his girlfriend underwent a procedure to erase him from her memory, decides to do the same. However, as he watches his memories of her fade away, he realises that he still loves her, and may be too late to correct his mistake.
0
It ain't easy bein' green -- especially if you're a likable (albeit smelly) ogre named Shrek. On a mission to retrieve a gorgeous princess from the clutches of a fire-breathing dragon, Shrek teams up with an unlikely compatriot -- a wisecracking donkey.
1
A chronicle of the lives of the aristocratic Crawley family and their servants in the post-Edwardian era—with great events in history having an effect on their lives and on the British social hierarchy.


1
When Buy More computer geek Chuck Bartowski unwittingly downloads a database of government information and deadly fighting skills into his head, he becomes the CIA's most vital secret. This sets Chuck on a path to become a full-fledged spy.
0
Adrian Monk was once a rising star with the San Francisco Police Department, legendary for using unconventional means to solve the department's most baffling cases. But after the tragic (and still unsolved) murder of his wife Trudy, he developed an extreme case of obsessive-compulsive disorder. Now working as a private consultant, Monk continues to investigate cases in the most unconventional ways.
-3
Two lost souls visiting Tokyo -- the young, neglected wife of a photographer and a washed-up movie star shooting a TV commercial -- find an odd solace and pensive freedom to be real in each other's company, away from their lives in America.
-1
When an armed, masked gang enter a Manhattan bank, lock the doors and take hostages, the detective assigned to effect their release enters negotiations preoccupied with corruption charges he is facing.
-2
Shrek, Fiona and Donkey set off to Far, Far Away to meet Fiona's mother and father. But not everyone is happy. Shrek and the King find it hard to get along, and there's tension in the marriage. The fairy godmother discovers that Shrek has married Fiona instead of her Son Prince Charming and sets about destroying their marriage.
0
With the Ancients' city of Atlantis discovered in the Pegasus Galaxy by Stargate Command, Dr. Elizabeth Weir and Major Sheppard lead a scientific expedition to the ancient abandoned city. Once there, the team not only find themselves unable to contact Earth, but their explorations unexpectedly reawaken the Ancients' deadly enemies, The Wraith, who hunger for this new prey. Now with the help of newfound local allies like Teyla Emmagan, the Atlantis Team sets about to uncover their new home's secrets even as their war of survival against the Wraith begins.
-1
The sleepy Pacific Northwest town of Eureka is hiding a mysterious secret. The government has been relocating the world's geniuses and their families to this rustic town for years where innovation and chaos have lived hand in hand. U.S. Marshal Jack Carter stumbles upon this odd town after wrecking his car and becoming stranded there. When the denizens of the town unleash an unknown scientific creation, Carter jumps in to try to restore order and consequently learns of one of the country's best kept secrets.
-3
Rules of Engagement is a comedy about the different phases of male/female relationships, as seen through the eyes of a newly engaged couple, Adam and Jennifer, a long-time married pair, Jeff and Audrey, and a single guy on the prowl, Russell. As they find out, the often confusing stages of a relationship can seem like being on a roller coaster. People can describe the ride to you, but to really know what it's like you have to experience it for yourself.
0
The story primarily focuses on the members of the Juken Club and their opposition, the Executive Council, which is the ruling student body of a high school that educates its students in the art of combat. As the story unfolds, both groups become increasingly involved with an ongoing battle that has been left unresolved for four hundred years.
-2
In 2035, where robots are commonplace and abide by the three laws of robotics, a technophobic cop investigates an apparent suicide. Suspecting that a robot may be responsible for the death, his investigation leads him to believe that humanity may be in danger.
-3
A television reporter and cameraman follow emergency workers into a dark apartment building and are quickly locked inside with something terrifying.
-2
The King's Speech tells the story of the man who became King George VI, the father of Queen Elizabeth II. After his brother abdicates, George ('Bertie') reluctantly assumes the throne. Plagued by a dreaded stutter and considered unfit to be king, Bertie engages the help of an unorthodox speech therapist named Lionel Logue. Through a set of unexpected techniques, and as a result of an unlikely friendship, Bertie is able to find his voice and boldly lead the country into war.
-5
After a painful breakup, Ben develops insomnia. To kill time, he starts working the late night shift at the local supermarket, where his artistic imagination runs wild.
-4
Two hillbillies are suspected of being killers by a group of paranoid college kids camping near the duo's West Virginian cabin. As the body count climbs, so does the fear and confusion as the college kids try to seek revenge against the pair.
-5
Kyung-Chul is a dangerous psychopath who kills for pleasure. Soo-Hyun, a top-secret agent, decides to track down the murderer himself. He promises himself that he will do everything in his power to take vengeance against the killer, even if it means that he must become a monster himself.
-4
Following the death of his employer and mentor, Bumpy Johnson, Frank Lucas establishes himself as the number one importer of heroin in the Harlem district of Manhattan. He does so by buying heroin directly from the source in South East Asia and he comes up with a unique way of importing the drugs into the United States. Partly based on a true story.
-2
A morally bankrupt car salesman is forced to become business partners with his inner conscience, an off-beat do gooder intent on healing Fitz's mangled psyche, one hilarious disaster at a time.
-2
Set in the Mayan civilization, when a man's idyllic presence is brutally disrupted by a violent invading force, he is taken on a perilous journey to a world ruled by fear and oppression where a harrowing end awaits him. Through a twist of fate and spurred by the power of his love for his woman and his family he will make a desperate break to return home and to ultimately save his way of life.
-6
Follow the lives of ambitious miners as they head north in pursuit of gold. With new miners, new claims, new machines and new ways to pull gold out of the ground, the stakes are higher than ever. But will big risks lead to an even bigger pay out?
3
These are the brand new adventures of Merlin, the legendary sorcerer as a young man, when he was just a servant to young Prince Arthur on the royal court of Camelot, who has soon become his best friend, and turned Arthur into a great king and a legend.
3
Set in 1982 in the suburb of Blackeberg, Stockholm, twelve-year-old Oskar is a lonely outsider, bullied at school by his classmates; at home, Oskar dreams of revenge against a trio of bullies. He befriends his twelve-year-old, next-door neighbor Eli, who only appears at night in the snow-covered playground outside their building.
-4
Alan Shore and Denny Crane lead a brigade of high-priced civil litigators in an upscale Boston law firm in a series focusing on the professional and personal lives of brilliant but often emotionally challenged attorneys. A spin-off of long-running series The Practice.
2
Apocalypse Now Redux is a 2001 extended version of Francis Ford Coppola's epic war film Apocalypse Now, which was originally released in 1979. Coppola, along with editor/long-time collaborator Walter Murch, added 49 minutes of scenes that had been cut out of the original film. It represents a significant re-edit of the original version.
-1
The adventures of a present-day, multinational exploration team traveling on the Ancient spaceship Destiny many billions of light years distant from the Milky Way Galaxy. They evacuated there and are now trying to figure out a way to return to Earth, while simultaneously trying to explore and to survive in their unknown area of the universe.
0
A group of students investigates a series of mysterious bear killings, but learns that there are much more dangerous things going on. They start to follow a mysterious hunter, learning that he is actually a troll hunter.
-4
Ten years ago, a tragedy changed the town of Harmony forever. Tom Hanniger, an inexperienced coal miner, caused an accident in the tunnels that trapped and killed five men and sent the only survivor, Harry Warden, into a permanent coma. But Harry Warden wanted revenge. Exactly one year later, on Valentine’s Day, he woke up…and brutally murdered twenty-two people with a pickaxe before being killed.
-5
When the Hellmouth opens beneath Darkplace Hospital in downtown Romford, kiddy doctor, Vietnam veteran and ex-warlock Dr. Rick Dagless M.D. is the only man who can close it. Joined by best buddy Dr. Lucien Sanchez, fiery hospital boss Thornton Reed, and woman Liz Asher, Dagless must fight the forces of Darkness while dealing with the burden of day-to-day admin. From the chilling pen of best-selling horror writer Garth Marenghi comes this lost masterpiece of televisual terror. Dare you enter Garth's Darkplace?
0
Obsessed with teaching his victims the value of life, a deranged, sadistic serial killer abducts the morally wayward. Once captured, they must face impossible choices in a horrific game of survival. The victims must fight to win their lives back, or die trying...
-3
When their plans for a nature trip go awry, Polly and boyfriend Seth decide to check into a motel. On their way, they're carjacked and kidnapped by low-rent crooks Dennis and Lacey, who take the victims and their SUV to a nearby gas station. Along the way, they encounter an increasingly terrifying horde of parasites, and if any of them intend to survive, they'll have to outsmart the deadly organisms.
-3
Two salesmen trash a company truck on an energy drink-fueled bender. Upon their arrest, the court gives them a choice: do hard time or spend 150 service hours with a mentorship program. After one day with the kids, however, jail doesn't look half bad.
-3
The Teen Titans are five heroes under one roof. Their names: Robin, Starfire, Raven, Cyborg, and Beast Boy They live in a large tower in the shape of a T that they call Titan Tower. No secret identities. No school. Just superheroes being superheroes. They must go up against their arch nemesis, Slade, and his evil minions. What he really plans to do is unknown but one thing's for sure... he's an evil madman.
-4
Slevin is mistakenly put in the middle of a personal war between the city’s biggest criminal bosses. Under constant watch, Slevin must try not to get killed by an infamous assassin and come up with an idea of how to get out of his current dilemma.
-6
A man wakes up deep inside a cave. Suffering amnesia, he has no recollection of how he came to be here or of what happened to the man whose body he finds beside him. Tailed by a mysterious creature, he must continue through this strange and fantastic world. Enclosed, Tolbiac has no other option to reach the surface than to use REZO ZERO, secret observing cells in this cemetery-like abandoned mine.
-3
Barney Ross leads a band of highly skilled mercenaries including knife enthusiast Lee Christmas, a martial arts expert Yin Yang, heavy weapons specialist Hale Caesar, demolitionist Toll Road, and a loose-cannon sniper Gunner Jensen. When the group is commissioned by the mysterious Mr. Church to assassinate the dictator of a small South American island, Barney and Lee visit the remote locale to scout out their opposition and discover the true nature of the conflict engulfing the city.
-3
Newly-discovered facts, court records and speculation are used to elaborate the true love story and murder mystery of the most notorious unsolved murder case in New York history.
-3
The true story of boxer Jim Braddock who, in the 1920s following his retirement, makes a surprise comeback in order to get him and his family out of a socially poor state.
-1
Charlie Berns is a veteran Hollywood movie producer who has given up on his career and life. That is until his idealistic screenwriter nephew comes bearing the script of a lifetime and Charlie decides to give his career one final shot. The only thing standing in his way is Diedre Hearn, a sharp-witted studio executive brought in to keep Charlie in line.
0
Jazz is a ten part series that explores the evolution – and the genius – of America’s greatest original art form, focusing on the extraordinary men and women who could do something remarkable – create art on the spot. Jazz celebrates their profoundly enduring, endlessly varied, and infinitely alluring music in the context of the complicated country that gave birth to and influenced it, and was in turn transformed by it.
5
A depressed man moves back in with his parents following a recent heartbreak and finds himself with two women.
-1
The Diclonius, a mutated homo sapien that is said to be selected by God and will eventually become the destruction of mankind, possesses two horns in their heads, and has a "sixth sense" which gives it telekinetic abilities. Due to this dangerous power, they have been captured and isolated in laboratories by the government. Lucy, a young and psychotic Diclonius, manages to break free of her confines and brutally murder most of the guards in the laboratory, only to get shot in the head as she makes her escape. She survives and manages to drift along to a beach, where two teenagers named Kouta and Yuka discovers her. Having lost her memories, she was named after the only thing that she can now say, "Nyuu," and the two allow her to stay at Kouta's home. However, it appears that the evil "Lucy" is not dead just yet...
-8
A group of people gather in the California desert to watch a "film" set in the late 1990s featuring a sentient, homicidal car tire named Robert. The assembled crowd of onlookers watch as Robert becomes obsessed with a beautiful and mysterious woman and goes on a rampage through a desert town.
-3
Three hot girls, four guys, and one mega-swanky yacht collide for a serious night of drugs and sexual deviancy. One debaucherous act goes too far though, turning this teen joy ride into a weekend of bloody bedlam.
0
A group of Muslim men living in Sheffield hatch an inept plan to become suicide bombers.
-2
Tonny is released from prison - again. This time he has his mind set on changing his broken down life, but that is easier said than done
-1
Follow competitors as they tackle a series of challenging obstacle courses in both city qualifying and city finals rounds across the country. Those that successfully complete the finals course in their designated region move on to the national finals round in Las Vegas, where they face a stunning four-stage course modeled after the famed Mt. Midoriyama course in Japan. The winner will take home a grand prize of $1 million.
4
Jo Frost, a modern day, tough-love "Mary Poppins" is placed with families in need of guidance or care. She spends an extended period of time with a family, observing their issues and then, using a series of her own tried-and-true methods, offer solutions. Problems can range from discipline to sloppiness or anything in between.
-1
Doormat Wesley Gibson discovers that his recently murdered father - who Wesley never knew - belonged to a secret guild of assassins. After a leather-clad sexpot drafts Wesley into the society, he hones his innate killing skills and turns avenger.
-1
A bravado period action film set at the end of Japan's feudal era in which a group of unemployed samurai are enlisted to bring down a sadistic lord and prevent him from ascending to the throne and plunging the country into a war-torn future.
-2
On the outside, Helen has it all – a loving family and a successful career – but when her suppressed mental illness resurfaces, the world crumbles around her. Crippled by depression, Helen finds solace through her friendship with Mathilda, a kindred spirit struggling with bipolar disorder.
-2
A documentary about the Enron corporation, its faulty and corrupt business practices, and how they led to its fall.
-2
Naturally, Sadie is a Canadian comedy teen drama sitcom that ran for three seasons from June 24, 2005 to August 26, 2007. It was produced in Canada, set in Whitby, Ontario. Filmed in Toronto, Ontario, most of the show was shot inside a former Catholic elementary school in Little Italy, including the school and home scenes. Mall scenes were filmed in the nearby Dufferin Mall.
0
Docu-drama series depicting chilling tales of real life horror stories. Each filmic episode, realised by some of the UK’s most exciting writers and directors, tells a single, spine-tingling story, drawing on eyewitness testimonies, brought to life through straight-to-camera documentary interviews and visually-striking, elegantly realised and terrifying drama.
2
His parents and grandfather may fight a lot, but there's plenty of love in the life of eight-year-old Cedric.
1
When Queen Elizabeth's reign is threatened by ruthless familial betrayal and Spain's invading army, she and her shrewd adviser must act to safeguard the lives of her people.
-2
Chronicles the rise and fall of 1970s New York City nightclub Plato's Retreat.
-2
A chronicle which provides a rare window into the international perception of the Iraq War, courtesy of Al Jazeera, the Arab world's most popular news outlet. Roundly criticized by Cabinet members and Pentagon officials for reporting with a pro-Iraqi bias, and strongly condemned for frequently airing civilian causalities as well as footage of American POWs, the station has revealed (and continues to show the world) everything about the Iraq War that the Bush administration did not want it to see.
-1
In the immense city of Tokyo, the darkness of the afterlife lurks some of its inhabitants who are desperately trying to escape the sadness and isolation of the modern world.
-2
One unlucky evening, Louis Cropa, a part-time bookmaker, discovers that his restaurant has become a hotbed of conflicting characters. In addition to having to please a whiny food critic, Louis must fend off a hostile takeover from a pair of gangsters, to whom his sous-chef is in debt. Further, Louis has an argument with his son, the star chef, whose culinary creativity has brought success to the business.
-6
On his latest expedition, Dr. Rick Marshall is sucked into a space-time vortex alongside his research assistant and a redneck survivalist. In this alternate universe, the trio make friends with a primate named Chaka, their only ally in a world full of dinosaurs and other fantastic creatures.
0
Storming Juno is a film based on the remarkable and determined actions of a handful of young Canadian men who stormed Juno Beach on June 6, 1944. D-Day.
1
The life story of New Zealander Burt Munro, who spent years building a 1920 Indian motorcycle—a bike which helped him set the land-speed world record at Utah's Bonneville Salt Flats in 1967.
1
Documentary filmmaker Robert Kenner examines how mammoth corporations have taken over all aspects of the food chain in the United States, from the farms where our food is grown to the chain restaurants and supermarkets where it's sold. Narrated by author and activist Eric Schlosser, the film features interviews with average Americans about their dietary habits, commentary from food experts like Michael Pollan and unsettling footage shot inside large-scale animal processing plants.
0
Secret agent OSS 117 foils Nazis, beds local beauties, and brings peace to the Middle East.
2
Jack Carver, a former member of the Special Forces takes the journalist Valerie Cardinal to an Island to visit her uncle Max who is working in a Military complex on the Island. As they arrive Valerie gets captured by the minions of Doctor Krüger. After the destruction of his boat Jack finds out about the true purpose of the Facilities on the Island, which is the creation of genetic soldiers.
-2
The chaotic lives, loves and drinking sessions of a group of hapless teachers. They might be qualified to teach, but they've still got a lot to learn...
0
A tone-deaf cop works to track down a group of guerilla percussionists whose anarchic public performances are terrorizing the city.
1
Sai, a young artist living in a downtown warehouse delves into an ancient world of blood and lust. An enigmatic foreigner seduces her to try a long forgotten drug making her the prey of a dimensional vampire who needs her new found hunger for blood to cross over from his world to hers.
0
Drama revealing the human story beneath the classic biblical tale, from the courtship of Mary and Joseph in Nazareth to the birth of Jesus in a Bethlehem stable.
2
Spain, 1939. In the last days of the Spanish Civil War, the young Carlos arrives at the Santa Lucía orphanage, where he will make friends and enemies as he follows the quiet footsteps of a mysterious presence eager for revenge.
-1
According to Jim is an American sitcom television series starring Jim Belushi in the title role as a suburban father of three children. It originally ran on ABC from October 1, 2001 to June 2, 2009.
0
Disenchanted with the movie industry, Chili Palmer tries the music industry, meeting and romancing a widow of a music executive along the way.
0
The Jungle Book is a 2010 3D CGI animated TV series.

This series is based on the original book by Rudyard Kipling.

Starting in June 2012, the first season of the series will be seen in the U.S. on Disney XD.

It currently airs on TVO Kids in Canada.

The Jungle Book: TV Movie is announced to be premiere on Disney Channel Asia.
0
Filmmaker Christopher Browne documents the mission of a group of middle-aged bowlers as they attempt to revitalize the sport and get the television-watching public interested in it again.
1
Extremely shy Lars finds it impossible to make friends or socialize. His brother and sister-in-law worry about him, so when he announces that he has a girlfriend he met on the Internet, they are overjoyed. But Lars' new lady is a life-size plastic woman. On the advice of a doctor, his family and the rest of the community go along with his delusion.
-2
In Minangkabau, West Sumatera, Yuda a skilled practitioner of Silat Harimau is in the final preparations to begin his "Merantau" a century's old rites-of-passage to be carried out by the community's young men that will see him leave the comforts of his idyllic farming village and make a name for himself in the bustling city of Jakarta.
3
Eloise is a precocious but lovable six-year-old girl who lives in New York's Plaza hotel. The owner of the hotel's daughter is getting married, but Eloise decides she is marrying him for the wrong reasons and tries her hand at a spot of matchmaking, but will it work?
1
Grace Hanadarko is a tormented, fast-living Oklahoma City police detective who, despite having an excellent career in solving crimes, takes self-destruction to new heights. After seeing tremendous tragedy, both professionally and personally, Grace reaches a turning point one night and meets a rough-hewn angel with a similar past who wants to help lead her back to the right path.
3
Host Zach Galifianakis conducts celebrity interviews sitting with his guests between two potted ferns.
0
The true story of a man who posed as director Stanley Kubrick during the production of Kubrick's last film, Eyes Wide Shut, despite knowing very little about his work and looking nothing like him.
2
'The Final RIOT!' is a live CD and DVD that documents the band in their most intimate moments on tour. On top of the all access documentary footage, an entire 15 song live set was filmed at the Chicago stop of The Final RIOT! Tour, for what the band has called their 'best show ever.' Join millions of Paramore fans around the world as they experience 'The Final RIOT!'
2
In the fictional Ontario town of Shuckton, the mayor has been murdered! As the Shuckton residents cope with the loss, a new lawyer moves in to prosecute a suspect – though another resident, unsatisfied with the evidence, tries to find the real killer.  At the same time, a character who is a personification of death waits at a motel room for the latest Shuckton residents to die...
-7
After completing a covert mission in southern Thailand, CIA agent Gunja finds herself forced to fight off operatives who've been ordered to take her out at all costs. She survives and after two years of laying low, re-emerges in Bangkok to face her old foes and foil a plot to detonate a bomb in the city.
-3
Barry Munday, a libido-driven wage slave who spends all his time either ogling, fantasizing about or trying to pick up women, wakes up in hospital after a freak attack only to find that his testicles have been removed.
-3
A graphic portrayal of the last twelve hours of Jesus of Nazareth's life.
0
Subtitled, "A Life In Eight Albums", "Shania" is the story of the early years of struggle and triumph of music sensation Shania Twain.
1
A heroic tale of three blood brothers and their struggle in the midst of war and political upheaval. It is based on "The Assassination of Ma," a Qing Dynasty (1644-1911) story about the killing of general Ma Xinyi.
-2
In 208 A.D., in the final days of the Han Dynasty, shrewd Prime Minster Cao convinced the fickle Emperor Han the only way to unite all of China was to declare war on the kingdoms of Xu in the west and East Wu in the south. Thus began a military campaign of unprecedented scale. Left with no other hope for survival, the kingdoms of Xu and East Wu formed an unlikely alliance.
-1
Based on a true story, this family-friendly series follows the adventures of a young, hearing impaired woman who has a special gift and goes to work for the FBI in Washington, D.C. She's one hard-headed, soft-hearted woman whose talent for reading lips helps crack crimes and bag the bad guys in places listening devices can't penetrate. With her hearing-ear dog, Levi, Sue's a glutton for jeopardy – and there's (almost) nothing she won't do to bring notorious criminals to justice. This remarkable, edge-of-your-seat drama is an inspiring tribute to the ability of the human spirit to overcome adversity and achieve great things.
-4
Realizing the urban legend of their youth has actually come true, two filmmakers delve into the mystery surrounding five missing children and the real-life boogeyman linked to their disappearances.
-1
A biopic of writer Truman Capote and his assignment for The New Yorker to write the non-fiction book "In Cold Blood".
-1
When a man answers an ad to train as a record producer, he's excited by the prospect of signing undiscovered artists only to discover his new job isn't all it's cracked up to be.
0
Ten years after ending their partnership as rock musicians, two women become re-acquainted in the course of one night.
0
A visit to a natural history museum proves catastrophic for two high school rivals, an overachiever and a jock, when an ancient Aztec statue casts a spell that causes them to switch bodies and see exactly what it's like to walk in the other's shoes.
-1
The true-life story of Darby Crash, who became an L.A. punk icon with his band The Germs. Along with Lorna Doom, Pat Smear, and Don Bolles, Darby Crash completely transformed the L.A. punk scene, while sacrificing everyone he loved, his career, and ultimately his life.
-5
Milo is aging, he is planning his daughter's 25th birthday, and his shipment of heroin turns out to be 10,000 pills of ecstasy. When Milo tries to sell the pills anyway, all Hell breaks loose and his only chance is to ask for help from his ex-henchman and old friend Radovan.
-2
Competition reality series in which contestants must decide if they have the guts and determination to face their fears while outpacing the competition.
-1
In the wake of a freak accident, Lance suffers the worst tragedy and the greatest opportunity of his life. He is suddenly faced with the possibility of fame, fortune and popularity, if he can only live with the knowledge of how he got there.
-1
A successful artist looks back with loving memories on the summer of his defining year, 1974. A talented but troubled 18-year-old aspiring artist befriends a brilliant elderly alcoholic painter who has turned his back on not only art but life. The two form what appears to be at first a tenuous relationship. The kid wants to learn all the secrets the master has locked away inside his head and heart. Time has not been kind to the old master. His life appears pointless to him until the kid rekindles his interest in his work and ultimately gives him the will to live. Together, they give one another a priceless gift. The kid learns to see the world through the master's eyes. And the master learns to see life through the eyes of innocence again. This story is based on a real life experience.
7
A man receives a mysterious e-mail appearing to be from his wife, who was murdered years earlier. As he frantically tries to find out whether she's alive, he finds himself being implicated in her death.
-3
In this prequel to 'Stone Cold,' LA cop, Jesse Stone relocates to a small town only to find himself immersed in one mystery after the other.
-2
In the 1980s, ruthless Colombian cocaine barons invaded Miami with a brand of violence unseen in this country since Prohibition-era Chicago - and it put the city on the map. "Cocaine Cowboys" is the true story of how Miami became the drug, murder and cash capital of the United States, told by the people who made it all happen.
-2
Boogie Man is a comprehensive look at political strategist, racist, and former Republican National Convention Committee chairman, Lee Atwater, who reinvigorated the Republican Party’s Southern Strategy to increase political support among white voters in the South by appealing to racism against African Americans. He mentored Karl Rove and George W. Bush and played a key role in the elections of Reagan and George H.W. Bush.
1
Two girlfriends on a summer holiday in Spain become enamored with the same painter, unaware that his ex-wife, with whom he has a tempestuous relationship, is about to re-enter the picture.
0
For the Love of Ray J is a dating show on VH1 featuring hip hop singer Ray J. The program has a format similar to Flavor of Love, I Love New York, and Rock of Love. One source notes that it "will be produced by the same geniuses" as those shows, 51 Minds. In reference to the series, Ray J said:

The show, which premiered on February 2, 2009, follows Ray J and his entourage of female suitors to the hottest hangouts in Los Angeles, to Sin City where they’ll party with his famous friends, and to Ray’s childhood home where they’ll meet his family and older sister Brandy. Ray J will pour his heart out to these women in hopes that he can figure out who is really there for him. Each week the ladies will attempt to win over Ray J as he carries on with his life in the spotlight. In the end, the girls who can’t keep up with Ray J’s jet-setting ways will be sent packing. But the one who can impress his friends and family and make Ray J believe that love exists, will win the ultimate prize—the love of Ray J.

According to one commentator, the concept of the show involves pampering the contestants with "upscale trips throughout the series" and "Ray J's so in love that he's already given participating girls names like Cashmere, Unique and Hot Cocoa."
15
Britain, A.D. 117. Quintus Dias, the sole survivor of a Pictish raid on a Roman frontier fort, marches north with General Virilus' legendary Ninth Legion, under orders to wipe the Picts from the face of the Earth and destroy their leader, Gorlacon.
1
The show features accounts of individuals and groups caught in dangerous scenarios, presented both through interviews and dramatic reenactments. The main focus is how the survivors survived and the decisions they made that kept them alive.
0
After 17 years in captivity, Israeli soldiers Nimrode Klein, Uri Zach, and Amiel Ben Horin return home to the country that made them national icons. They work to overcome the trauma of torture and captivity while settling back into their interrupted family lives. Meanwhile, the military psychiatrist assigned to them finds discrepancies in the soldiers' testimonies, and launches an investigation to discover what they are hiding.
-1
After the elevators at a New York City skyscraper begin inexplicably malfunctioning, putting its passengers at risk, mechanic Mark Newman and reporter Jennifer Evans begin separate investigations. Newman gets resistance from superiors at his company, which manufactured the elevator, while additional elevator incidents cause several gruesome deaths. The police get involved and suspect that terrorists are responsible, but a far stranger explanation looms.
-5
When Jack McLeod passes away, his two daughters inherit Drovers Run, a vast cattle ranch in the Australian outback. Ultimately, Tess and Claire decide to run the ranch together, with their housekeeper, Meg, her teenage daughter, Jodi, and a local girl, Becky. Their lives are hard and the obstacles many, but the rewards are every bit as grand as the wild open land they've inherited.
-1
Living in rural New South Wales, working-class single mother Rhia is struggling to evade debt collectors and raise three young daughters. The eldest, and hardened beyond her years, Lou blames Rhia for the departure of her father, who walked out 10 months ago and hasn't been seen since. Mother-daughter relations hit bottom when Rhia takes in Doyle, her father in-law, who is in the beginning stages of Alzheimer's. Doyle turns Lou's initial hostility around with exciting tales of his South Seas adventures. But coursing deepest in his mind are fractured memories of Annie, his late wife. Before long, Doyle "sees" Annie in Lou and imagines he is courting her all over again.
-5
Swedish thriller based on Stieg Larsson's novel about a male journalist and a young female hacker. In the opening of the movie, Mikael Blomkvist, a middle-aged publisher for the magazine Millennium, loses a libel case brought by corrupt Swedish industrialist Hans-Erik Wennerström. Nevertheless, he is hired by Henrik Vanger in order to solve a cold case, the disappearance of Vanger's niece
-3
A random invitation to a Halloween party leads a man into the hands of a rogue collective sparking a bloodbath of mishap, mayhem and hilarity.
-1
From the director of Wolf Creek comes this terrifying look at nature's perfect killing machine. When a group of tourists stumble into the remote Australian river territory of an enormous crocodile, the deadly creature traps them on a tiny mud island with the tide quickly rising and darkness descending. As the hungry predator closes in, they must fight for survival against all odds.
-3
On August 7th 1974, French tightrope walker Philippe Petit stepped out on a high wire, illegally rigged between New York's World Trade Center twin towers, then the world's tallest buildings. After nearly an hour of performing on the wire, 1,350 feet above the sidewalks of Manhattan, he was arrested. This fun and spellbinding documentary chronicles Philippe Petit's "highest" achievement.
2
Nine strangers wake up in a house with no recollection how they got there and no way out. The voice on the PA introduces them to a grisly game they must play. The prize is $5 million and their life.
-1
A sheriff sees his state senate bid slide out onto the ice when his daughter begins to date the son of a charming but psychologically disturbed woman with whom the sheriff has engaged in a two-decade-long affair.
0
The Brogan family enters a witness protection program and are moved to a bucolic neighborhood to begin a new life, but they soon realize that it's not so easy to escape the past.
2
The Indian Doctor is a British television drama set in the summer of 1963. Produced by Rondo Media and Avatar Productions, it was first broadcast on BBC One in 2010. The most recent series began on 27 February 2012 and concluded on 2 March. It is a period comedy drama starring Sanjeev Bhaskar as an Indian doctor who finds work in a South Wales mining village.
1
During the Vietnam War [1959-1975] a special US combat unit is sent out to hunt and kill the Viet Cong soldiers in a man-to-man combat in the endless tunnels underneath the jungle of Vietnam. Suicide squads of a special kind.
-2
Based on a real-life story, this drama focuses on a small group of Allied soldiers in Burma who are held captive by the Japanese. Capt. Ernest Gordon (Ciaran McMenamin), Lt. Jim Reardon (Kiefer Sutherland) and Maj. Ian Campbell (Robert Carlyle) are among the military officers kept imprisoned and routinely beaten and deprived of food. While Campbell wants to rebel and attempt an escape, Gordon tries to take a more stoic approach, an attitude that proves to be surprisingly resonant.
-1
A look at some of Wallace's labour-saving mechanical marvels that rarely work as planned. Having problems getting to sleep? Then try the Snoozatron – it plumps your pillows, plays you soothing music and deposits a teddy into your arms. Or how about taking the strain out of mealtimes with the help of the Autochef, a robot that will cook your eggs just how you like them. Or perhaps you might like to try the Christmas Cardomatic, an ingenious way to create a very unique greetings card!
3
When a new geothermal heating system is installed under the high school they "thaw out" a Neanderthal ancestor of Jughead!
0
Underbelly is an Australian television true crime-drama series, each series is a stand alone story based on real-life events.
0
Cleaver Greene is not about politics or morality or even justice. Cleaver Greene is about the law. And it is his passion for the law that drives him to use his formidable intelligence to defend people whom society and the justice system might otherwise convict without a fair trial. He uses his encyclopaedic knowledge of human nature and the Byzantine intricacies of our legal codes to guarantee that his clients get what is theirs by the law; the right to a diligent defence.
7
An ambitious reporter probes the reasons behind the sudden split of a 1950s comedy team.
0
As the world's energy supplies dwindle, the Orpheus, a research submarine, delves into the deep of the Arctic Ocean searching for rare micro-organisms, but the crew soon find themselves in peril.
-1
After the Second Impact, Tokyo-3 is being attacked by giant monsters called Angels that seek to eradicate humankind. The child Shinji's objective is to fight the Angels by piloting one of the mysterious Evangelion mecha units. A remake of the first six episodes of GAINAX's famous 1996 anime series. The film was retitled "Evangelion: 1.01" for its home video version and "Evangelion: 1.11" for a release with additional scenes.
1
A look at the making of the film Troll 2 (1990) and its journey from being crowned the "worst film of all time" to a cherished cult classic.
1
A brilliant and neurotic attorney goes to Monaco to defend a famous criminal. But, instead of focusing on the case, he falls for a beautiful she-devil, who turns him into a complete wreck... Hopefully, his zealous bodyguard will step in and put everything back in order... Or will he ?
-2
Invisible forces exert power over us in our sleep. A mercenary named Ink, on a literal nightmare mission, captures the spirit of 8-year-old Emma in the dream world. To save her, the dream-givers marshal all their resources, focusing on saving the soul of Emma's tragically broken father.
-4
At Sydney's National Dance Academy, a few talented youngsters are recruited for the excruciatingly tough course. It follows Tara Webster, a sheepfarmgirl who's ambition is to be the next best ballerina. Jewish long line of doctors' heir Samuel 'Sammy' and minor juvenile offender Christian are the outsiders but gradually fit in, making new kinds of friends. Star ballerina's daughter Kat also introduces them in the circle of last-year brother Ethan, who already aspires a career as choreographer. Also Abigail, a smart young girl who'll walk over dead bodies to reach the stars tries to sabotage everything and everyone.
-1
Erroll Babbage has spent his career tracking sex offenders and his unorthodox methods are nearly as brutal as the criminals he monitors. When he links one of his deranged parolees to the disappearance of a local girl, he and his new partner must scour the S&M underground to find her before it's too late.
-4
A screenwriter travels to an abandoned house to finish a script on time, but a series of strange events lead her to a psychological breakdown.
-1
After being brutally assaulted, an incident which also saw the death of his parents and the rape of his younger brother (which mentally scarred him to the point of having to be institutionalized), Maco Gutierrez has devoted his life to fitness and practicing martial arts to ensure his safety in the future.
-4
During the reign of the Vikings, a man from another world crash-lands on Earth, bringing with him an alien predator. The man must fuse his advanced technology with the weaponry of the vikings to fight the monster.
0
One day, Jason finds an unusual board game called Mamba. When his surfer friends start to play, the games unleashes its deadly curse, killing the losers in a gruesome fashion. Supposedly it will grant the winner a wish. As his companions die off, Jason decides that the only way he can reverse the tragedy is by continuing to play. With his girlfriend, Erica, Jason rolls the dice and hopes to make his wish before one of them suffers a horrible fate.
-9
Even in a postapocalyptic future in which Earth has been colonized by aliens, humans need hearts to live, so when an orphan boy's sister needs a new one, he'll go to just about any length to get it in this "illustrated film" from Matt Pizzolo.
-1
A documentary about the escalating nuclear arms race.
0
Between his tax problems and his legal battle with his wife for the custody of his daughter, these are hard times for the action movie star who finds that even Steven Seagal has pinched a role from him! This fictionalized version of Jean-Claude Van Damme returns to the country of his birth to seek the peace and tranquility he can no longer enjoy in the United States, but inadvertently gets involved in a bank robbery with hostages.
0
Historical observational documentary series following a team who live the life of Victorian farmers for a year.
0
With all-new gadgets, high-flying action, exciting chases and a wisecracking new handler, Derek (Anthony Anderson), Cody has to retrieve the device before the world's leaders fall under the evil control of a diabolical villain.
-2
Do all men want the same thing? Nestor, recently widowed, runs a bakery near Barcelona, has a bank account and a bad heart, and swims in the sea every day. He also has a daughter and a two-timing son-in-law. Nestor's maid asks him to hire her 20-something daughter, Maribel, as a shop assistant.
-1
We Shall Remain is a five-part, 7.5 hour documentary series about the history of Native Americans spanning the 17th century to the 20th century. It was a collaborative effort with several different directors, writers and producers working on each episode, including directors Chris Eyre, Ric Burns and Stanley Nelson Jr. Actor Benjamin Bratt narrated the entire series. It is part of the American Experience series and premiered April 13, 2009.
-1
Clive Owen stars as a prison inmate who goes into an experimental "open" prison where the inmates walk around freely and get job training for their impending releases. While there, he discovers he has a talent for growing flowers. His talent is recognized by a gardening guru who encourages him and four other inmates to enter a national gardening competition
-1
Things go horribly wrong when Catherine and Rebecca, two Catholic School girls, knock on the wrong door while selling Religious paraphernalia.
-3
Two dozen modern-day time travelers find out the hard way what early American colonial life was really like when they take up residence in Colonial House. The colonists negotiate personal and communal challenges as they deal with the demoralizing weather, rustic living conditions and backbreaking labor.
-1
Everest: Beyond the Limit is a Discovery Channel reality television series about yearly attempts to summit Mount Everest organized and led by New Zealander Russell Brice.
0
Money Hungry is a reality TV weight loss competition show based around the concept of bet dieting, with twelve teams of two competing for a $100,000 prize made up from team contributions.
1
In ancient Egypt, peasant Mathayus is hired to exact revenge on the powerful Memnon and the sorceress Cassandra, who are ready to overtake Balthazar's village. Amid betrayals, thieves, abductions and more, Mathayus strives to bring justice to his complicated world.
0
A great white shark hunts the crew of a capsized sailboat along the Great Barrier Reef.
1
Desperate to repay his debt to his ex-wife, an ex-con plots a heist at his new employer's country home, unaware that a second criminal has also targeted the property, and rigged it with a series of deadly traps.
-6
When his wealthy grandfather finally dies, Jason Stevens fully expects to benefit when it comes to the reading of the will. But instead of a sizable inheritance, Jason receives a test, a series of tasks he must complete before he can get any money.
2
An offbeat comedy with a quirky twist on the vampire tale set in modern day corporate America.
0
Set in the 1930s, an American with a scandalous reputation on both sides of the Atlantic must do an about-face in order to win back the woman of his dreams.
1
A paedophile returns to his hometown after 12 years in prison and attempts to start a new life.
-1
Newlyweds Nick and Suzanne decide to move to the suburbs to provide a better life for their two kids. But their idea of a dream home is disturbed by a contractor with a bizarre approach to business.
-1
The story of a farmer forced into conscription, who has been looking to get out of the army ever since. His great chance arrives when he stumbles upon a wounded general from an enemy state, and he kidnaps him, intending to claim credit for the capture, which includes five "mu" of land, and most importantly, honorable discharge from the army.
0
Cindy finds out the house she lives in is haunted by a little boy and goes on a quest to find out who killed him and why. Also, Alien "Tr-iPods" are invading the world and she has to uncover the secret in order to stop them.
-1
An animated retelling set to Prokofiev's suite. Peter is a slight lad, solitary, locked out of the woods by his protective grandfather
1
Some of the world's most innovative documentary filmmakers will explore the hidden side of everything.
1
Like many young men in the Dominican Republic, 19-year-old Miguel "Sugar" Santos dreams of winning a slot on an American baseball team. Indeed, his talents as a pitcher eventually land him a slot on a single-A team in Iowa, but culture shock, racism and other curveballs threaten to turn Sugar's dream sour.
-1
Jared, Kate, Rick, and Jessica find themselves stranded in a wreckage yard after their car breaks down during a drag race. Meanwhile, the sheriff's office receives notice that a convict escaped from a local state prison. As the teenagers mysteriously disappear one by one, the killer grows hungry and the thriller continues to unravel.
-6
Combining real and fictional events, this movie centers around the historic 1986 World Series, and a day in the life of a playwright who skips opening night to watch the momentous game.
0
A beautiful young gold-digger mistakes a lowly hotel clerk as a rich and therefore worthwhile catch.
1
A coming-of-age tale about an adolescent boy and his efforts to fit in amongst a varied cast of characters.
0
Black Hole High is a Canadian science fiction television program which first aired in North America in October 2002 on NBC and Discovery Kids. It is set at the fictional boarding school of the title, where a Science Club investigates mysterious phenomena, most of which is centered around a wormhole located on the school grounds. Spanning four seasons, the series developed into a success, and has been sold to networks around the globe.

Created by Jim Rapsas, the series intertwines elements of mystery, drama, romance, and comedy. The writing of the show is structured around various scientific principles, with emotional and academic struggles combined with unfolding mysteries of a preternatural nature. In addition to its consistent popularity among children, it has been recognised by adults as strong family entertainment. Forty-two episodes of the series, each roughly twenty-five minutes in length, have been produced, the last three of which premiered in January 2006. Those three final episodes that aired were combined into a film, Strange Days: Conclusions. The show was filmed at the Auchmar Estate on the Hamilton Escarpment in Hamilton, Ontario.
-4
Starting from childhood attempts at illustration, the protagonist pursues his true obsession to art school. But as he learns how the art world really works, he finds that he must adapt his vision to the reality that confronts him.
2
Beijing, 1902: an enterprising young portrait photographer named Liu Jinglun, keen on new technology, befriends a newly-arrived Englishman who's brought projector, camera, and Lumière-brothers' shorts to open the Shadow Magic theater. Liu's work with Wallace brings him conflict with tradition and his father's authority, complicated by his falling in love with Ling, daughter of Lord Tan, star of Beijing's traditional opera. Liu sees movies as his chance to become wealthy and worthy of Ling. When the Shadow Magic pair are invited to show the films to the Empress Dowager, things look good. But, is disaster in the script? And, can movies preserve tradition even as they bring change?
5
UFO Ultramaiden Valkyrie, aka UFO Princess Valkyrie, is an anime series that follows the story of Kazuto Tokino and the alien Princess, Valkyrie, who gives half her soul to Kazuto to save him after accidentally crashing her spaceship into Kazuto's family owned public bathhouse and nearly killing him. The splitting up of her soul turned her into a child, but whenever she kisses Kazuto, Valkyrie returns to her adult form for a limited time, and regains the use of her special powers.
-4
Interviews with leading authors, philosophers and scientists, with an in-depth discussion of the Law of Attraction. The audience is shown how they can learn and use 'The Secret' in their everyday lives.
2
Los Simuladores -The Pretenders- are a group of 4 men whose work is solving people's problem with non-conventional methods.
0
The film concerns the life of King Naresuan, who liberated the Siamese from the control of Burma. Born in 1555, he was taken to Burma as a child hostage; there he became acquainted with sword fighting and became a threat to the Burmese empire.
-3
Severe Clear is a film based on the memoirs of First Lieutenant Mike Scotti in videos made by him and others from the 1st Battalion, 4th Marines during the start of the 2003 Iraq invasion. The film explores the chaos and complexity of see the war.
-1
A waitress from Texas and a college student from Pennsylvania meet during spring break in Fort Lauderdale, Florida and come together through their shared love of singing.
0
Comedian Leslie Jones (aka Big Les) showcases her raunchy and hysterically funny stand up in her first ever comedy special.
-2
A black comedy about the events that are set into motion in a town after a man-eating boar goes on a rampage.
-1
In the Wild West at the turn of the century, two young brothers watch as their Grandpa is gunned down in cold blood. The desperados kidnap the older boy while a priest takes in the younger one. Thirteen years later these two brothers will cross paths again as they both seek revenge, each in their own way.
-3
The action continues from [REC], with the medical officer and a SWAT team outfitted with video cameras are sent into the sealed off apartment to control the situation.
0
The boredom of small town life is eating Bill Williamson alive. Feeling constrained and claustrophobic in the meaningless drudgery of everyday life and helpless against overwhelming global dissolution, Bill begins a descent into madness. His shockingly violent plan will shake the very foundations of society by painting the streets red with blood.
-9
A probing investigation into the lies, greed and corruption surrounding D.C. super-lobbyist Jack Abramoff and his cronies.
-3
MANUFACTURED LANDSCAPES is the striking new documentary on the world and work of renowned artist Edward Burtynsky. Internationally acclaimed for his large-scale photographs of “manufactured landscapes”—quarries, recycling yards, factories, mines and dams—Burtynsky creates stunningly beautiful art from civilization’s materials and debris.
6
French top secret agent, Hubert Bonisseur de la Bath, is sent to Rio to buy microfilms from a running nazi. To do so, he has to team up with Mossad secret services.
1
Totally Spies! depicts three girlfriends 'with an attitude' who have to cope with their daily lives at high school as well as the unpredictable pressures of international espionage. They confront the most intimidating - and demented - of villains, each with their own special agenda for demonic, global rude behavior.
-4
Director James Toback takes an unflinching, uncompromising look at the life of Mike Tyson--almost solely from the perspective of the man himself. TYSON alternates between the controversial boxer addressing the camera and shots of the champion's fights to create an arresting picture of the man.
-1
An exploration of the appeal of horror films, with interviews of many legendary directors in the genre.
2
Mary Spalding, the director of the Vancouver Organized Crime Unit, offers Jimmy Reardon, one of Vancouver's top organized crime bosses, immunity from prosecution in exchange for his role as a police informant.
-1
All but abandoned by her family in a London retirement hotel, an elderly woman strikes up a curious friendship with a young writer.
-1

0
This is a story of a man in free fall. On the road to redemption, darkness lights his way. Connected with the afterlife, Uxbal is a tragic hero and father of two who's sensing the danger of death. He struggles with a tainted reality and a fate that works against him in order to forgive, for love, and forever.
-2
Two gangbangers turned cops try and cover up a scandal within the LAPD.
-1
When a tragic accident ends the life of Mr. Rose, the genius behind Rose's Manure Company, the livelihood of its loyal fleet of salesmen threatens to go, as they say, into the toilet. Enter estranged daughter Rosemary, a high-class- cosmetics salesgirl, who steps in to take control. She is not sure she has a nose for the family business, but she is determined to make foul into profit. Little does she know that a ruthless, slick-talking fertilizer rep is plotting a takeover. Whether she likes it or not, she must trust her top salesman, Patrick Fitzpatrick, to devise a plan to regain Rose's rightful position on top of the heap.
3
Twelve-year-old Annie Lamm's first day of summer break quickly turns into a disaster. She realizes that her parents have not only decided to fly her to Hilton Head Island during their second honeymoon, but they also plan to coerce her to spend half her summer with her 76-year-old Grandpa Donald whom she hardly even knows.
-3
Fleeing New York City, a failed marriage and a fragile mental history, artist Robert Forrester moves to small-town Pennsylvania. There he becomes fascinated with the simple domesticity of a beautiful neighbor, watching her through the windows of her home --- until she invites him in for coffee. He is drawn into a relationship with the young woman whose boyfriend goes missing; Robert becomes a murder suspect, gradually sensing he is the target of a larger plot.
-5
On the threshold of 22nd century, furrowing the space, protagonist from the Free Search Group makes emergency landing on an unknown planet where he must stay. People who are living on this planet have remained at the stone level of the 20th century, with its social problems, miserable ecology and shaky world..
-4
Horrid Henry is a British animated television series based on the book series by Francesca Simon produced by One Explosion Studios and Nelvana Limited, broadcast from late 2006 on Children's ITV in the UK and it will air on Cartoon Network Pakistan and Cartoon Network India on 2013 from 6am until 6:30am. The animation style differs from the Tony Ross illustrations in the books. Series Producer of the series is Lucinda Whiteley, Animation Director is Dave Unwin. The series has been sold to more than a dozen countries including France, Germany, South Africa, South Korea, and the Philippines.

So far, the two series have 104 episodes. The second series of 52 episodes started airing on 16 February 2009 and episodes from this series are currently being shown alongside episodes from the first series. There is a music album Horrid Henry's Most Horrid Album. The incidental music is composed by Lester Barnes and additional songs are composed by Lockdown Media.
-4
Affected by tragedy, a married couple decide to role play a blind date.
-2
A guy looking to find employment and marry the love of his life, gets in over his head when a fast-talking temp agent lands him a job.
1
Teenagers Rose and Bennett were in love, and then a car crash claimed Bennett's life. He left behind a grieving mother, father and younger brother, and Rose was left all alone. She has no family to turn to for support, so when she finds out she's pregnant, she winds up at the Brewer's door. She needs their help, and although they can't quite admit it, they each need her so they can begin to heal.
1
A young professional woman (Simpson) unwittingly becomes the pawn of two business executives in their bid to oust the head of a mega-conglomerate.
0
Detective Inspector Chandler investigates copycat killers in London's East End.
-1
Part soap opera, part reality show, TOWIE follows the lives, loves and scandals of a group of real-life Essex guys and girls. Cameras capture the happenings at all kinds of glamorous locations as the cast meet up in nail bars, nightclubs and salons. Each episode features action filmed just a few days previously.
1
Multi-platinum rap superstars Redman and Method Man star as Jamal and Silas, two regular guys who smoke something magical, ace their college entrance exams and wind up at Harvard. Ivy League ways are strange but Silas and Jamal take it in a stride -- until their supply of supernatural smoke runs dry. That's when they have to start living by their wits and rely on their natural resources to make the grade.
-2
Based on Michael Chabon's novel, the film chronicles the defining summer of a recent college graduate who crosses his gangster father and explores love, sexuality, and the enigmas surrounding his life and his city.
0
This Lost World is a splendid BBC TV dramatisation of Sir Arthur Conan Doyle's famous adventure story. Bob Hoskins makes an unusually genial Professor Challenger, far less of a bully than Doyle's character, but his slightly stereotyped companions are nicely filled out by a solid cast. James Fox is Challenger's more timid but still covertly adventurous rival, Tom Ward is the moustachioed big game hunter who faces an Allosaurus with an elephant gun, and Matthew Rhys plays the tagalong reporter hoping to impress his faithless fiancée.
1
Two blue-collar Easter Bunnies get fired and try their hand at an assortment of odd jobs, failing at each. Fighting depression, debt and eventually each other, their lives start to unravel until they realize that without their job they are nothing.
-5
A tale about Vietnamese refugees sent to an orientation camp on the Camp Pendleton Marine Base in California, 'Green Dragon' focuses on a young boy and his sister. Set in 1975, the film chronicles the stories told to the two children by other refugees in the camp and of Tai Tran, who dares to introduce himself to Sergeant Jim Lance. In developing a relationship with Lance, Tran is able to improve
1
Paris-based wine expert Steven Spurrier heads to California in search of cheap wine that he can use for a blind taste test in the French capital. Stumbling upon the Napa Valley, the stuck-up Englishman is shocked to discover a winery turning out top-notch chardonnay. Determined to make a name for himself, he sets about getting the booze back to Paris.
-2
Set in 2151 and 2152, it follows the crew of HMS Camden Lock as they stumble through their heroic mission to protect British interests in a changing galaxy.
1
Charly Matteï has turned his back on his life as an outlaw. For the last three years, he's led a peaceful life devoting himself to his wife and two children. Then, one winter morning, he's left for dead in the parking garage in Marseille's Old Port, with 22 bullets in his body. Against all the odds, he doesn't die...
-1
The show, set in Elkford, British Columbia, is based around Sharon Spitz, who is a junior high school student with braces that get in her way of leading a normal teenage life. In the first season, she is enrolled at Mary Pickford Junior High.
1
The Border is a Canadian drama that aired on CBC Television and 20 other TV networks worldwide. It was created by Peter Raymont, Lindalee Tracey, Janet MacLean and Jeremy Hole of White Pine Pictures. The Executive in Charge of Production is Janice Dawe. Episodes in the first season were directed by John Fawcett, Michael DeCarlo, Ken Girotti, Kelly Makin, Brett Sullivan and Philip Earnshaw. The first season had a total budget of 20 million dollars, with about 1.5 million dollars per episode.

The series is set in Toronto and follows agents of the fictitious Immigration and Customs Security agency. ICS was created by the Government of Canada to deal with trans-border matters concerning Canadian national security including terrorism and smuggling.

The cancellation of The Border was announced by the CBC after three seasons were aired.
-2
Soon after his insufferably arrogant father wins the Nobel Prize for chemistry, Barkley Michaelson is kidnapped by Thaddeus James, a young genius who claims to be Barkley's illegitimate half-brother. Motivated not so much by money as revenge, Thaddeus tries to convince Barkley to help him carry out a multimillion-dollar extortion plot against their patriarch.
-2
Thief Kevin Caffery attempts to rob from the home of rich businessman Max Fairbanks. But Fairbanks catches him and steals his cherished ring that his girlfriend gave him. Caffery is then bent on revenge and getting his ring back with the help of his partners.
-1
Follows the relationships of several couples; shedding light on subjects like the battle of the sexes.
1
Between 1938 and 1948, from the height of Italy s Fascist regime to the end of the tumultuous post-war period, Chief Detective De Luca investigates and solves crimes in the City of Bologna and along the Adriatic coast. With little or no regard for those in power, whoever they happen to be, his solitary, uncompromising character often lands him in trouble, but his respect is reserved for the truth and justice alone.

In the four TV movies of the series Unauthorized Investigation , Carte Blanche , The Damned Season and Via Della Oche each taken from a novel by best-selling mystery Carlo Lucarelli Chief Detective De Luca always ultimately gets to the bottom of his cases, though what he finds leaves a bitter aftertaste.
-5
Albert Fish, the horrific true story of elderly cannibal, sadomasochist, and serial killer, who lured children to their deaths in Depression-era New York City. Distorting biblical tales, Albert Fish takes the themes of pain, torture, atonement and suffering literally as he preys on victims to torture and sacrifice.
-8
Gentle giant Barney Emerald is drugged and robbed while on holiday in Pattaya. He befriends two Thai siblings, one of which is a muay-thai kick-boxing champion, and stays with them until he can recover his passport. Unfortunately the hunt for his passport makes him cross ways with international gangsters. But Barney has found a secret weapon, the very spicy Thai salad Somtum.
1
Twenty single women move into a mansion in Los Angeles and compete for the affections of Flavor Flav, who decides who is his one true love.
2
Imprisoned thousands of years ago by his son Zeus, Cronus, the god of time, escapes from the Underworld. Now history is about to repeat itself as Cronus heads a legion of mythological monsters in his quest to conquer and destroy the world...But there is a prophecy... Seven teenagers stand in his way. The unknowing descendants of great mythological heroes, under the guidance of the Olympian Gods, find the power within themselves to save the world from the encroaching evil.
0
A fictional documentary discusses the effects the Iraq war has had on soldiers and local people through interviews with members of an American military unit, the media, and local Iraqis.
-1
When an old widow passes away, the police searches his house and finds his son locked in the basement. They take the boy to an institution, where it is discovered that he possesses supernatural powers.
0
His only friend called him 'the man from nowhere'... Taesik, a former special agent becomes a loner after losing his wife in a miserable accident and lives a bitter life running a pawnshop. He only has a few customers and a friend named Somi, a little girl next door. As Taesik spends more and more time with Somi, he gets attached to her. Then Somi is kidnapped by a gang, and as Taesik tries to save Somi by becoming deeply associated with the gang his mysterious past is revealed.
-5
Ultraseven X is the 23rd entry in the Tsuburaya Productions' long-running Ultra Series. It is a revival of the 1967 classic Ultra Seven, and is the first in Tsuburaya Productions' Ultra hero series to be exclusively for an adult audience and in wide screen high-definition format. The show first aired on October 5, 2007 at 2.15am on CBC and 2.25am on TBS.
3
It's Bad For Ya, Carlin's Emmy nominated 14th and final HBO special from March of 2008 features Carlin's noted irreverent and unapologetic observations on topics ranging from death, religion, bureaucracy, patriotism, overprotected children and big business to the pungent examinations of modern language and the decrepit state of the American culture.
-2
Mikael Blomkvist, publisher of Millennium magazine, has made his living exposing the crooked and corrupt practices of establishment Swedish figures. So when a young journalist approaches him with a meticulously researched thesis about sex trafficking in Sweden and those in high office who abuse underage girls, Blomkvist immediately throws himself into the investigation.
-2
A faithful retelling of the 1942 "Vel' d'Hiv Roundup" and the events surrounding it.
1
A talented art student named Angélique is passionately in love with Dr. Loïc Le Garrec, a handsome married man whom she believes will leave his wife. When he eventually decides to stay in his marriage, it causes Angélique to spiral. However, as the story shifts from Angélique's perspective to Loïc's, the surprising truth about their relationship is revealed.
4
How to Be Indie was a Canadian television show on YTV. The main character is a 13-year-old Indian Canadian teenager named Indira "Indie" Mehta. The program is a single-camera series intended for a youth audience. The series was created by Vera Santamaria, John May, and Suzanne Bolch. The series ran for two seasons and aired its final episode on October 24, 2011 on YTV in Canada and May 26, 2012 on Disney Channel in the United Kingdom.
0
Jeremiah is an American television series starring Luke Perry and Malcolm-Jamal Warner that ran on the Showtime network from 2002 to 2004. The series takes place in a post-apocalyptic future where most of the adult population has been wiped out by a deadly virus.
-2
On the east coast of New Zealand, the Whangara people believe their presence there dates back a thousand years or more to a single ancestor, Paikea, who escaped death when his canoe capsized by riding to shore on the back of a whale. From then on, Whangara chiefs, always the first-born, always male, have been considered Paikea's direct descendants. Pai, an 11-year-old girl in a patriarchal New Zealand tribe, believes she is destined to be the new chief. But her grandfather Koro is bound by tradition to pick a male leader. Pai loves Koro more than anyone in the world, but she must fight him and a thousand years of tradition to fulfill her destiny.
1
The outrageous story of 1970s porn icon Jack Wrangler, and how he rose to the top of the gay, and then straight, adult film industry.
0
Srugim is an Israeli television drama which originally aired on Yes TV between 2008 and 2012. It was directed by Eliezer "Laizy" Shapiro, who co-created it with Hava Divon. The series depicted the lives of five national religious single men and women who reside in Jerusalem; the title is a reference to the crocheted skullcaps worn by men of that denomination. Srugim, which dealt with controversial issues in the Religious Zionist society in Israel, caused a public uproar within that sector. It enjoyed high ratings and won five Israeli Academy of Film and Television Awards.
-1
The film opens with a baby dinoshark swimming away from a broken chunk of Arctic glacier that calved due to global warming. Three years later, the dinoshark is a ferocious predatory adult and kills tourists and locals offshore from Puerto Vallarta, Mexico. The protagonist, Trace, is first to notice the Dinoshark and witnesses his friend get eaten, but has trouble convincing people that a creature of such antiquity is still alive and eating people.
-3
Rick Penning lives life just like he plays rugby; fast, hard-hitting and intense. When life on the edge lands him in jail, prison ward Marcus Tate offers him a chance to get back in the game by playing for his rival, Highland Rugby. Reluctantly Rick joins the team where he must adopt the grueling training schedule that Coach Gelwix enforces, or finish out the season behind bars.
-2
World War II was not just the most destructive conflict in humanity, it was also the greatest theft in history: lives, families, communities, property, culture and heritage were all stolen. The story of Nazi Germany's plundering of Europe's great works of art during World War II and Allied efforts to minimize the damage.
-1
The Penitent Man tells the story of psychologist Dr. Jason Pyatt, a man devoted to his work - a man torn from his family. With his struggling marriage and mounting bills, Jason is at a crossroads with the life he has chosen and the life he could have. When one of his clients - the mysterious Mr. Darnell - walks into his office and paints him a repentant tale of future economic and moral collapse, Jason's eyes are forever opened. With the help of his best friend Ovid, he embarks on a personal mission to change the course of his future, and possibly the world, forever.
-1
Under constant attack by monstrous creatures called Angels that seek to eradicate humankind, U.N. Special Agency NERV introduces two new EVA pilots to help defend the city of Tokyo-3: the mysterious Makinami Mari Illustrous and the intense Asuka Langley Shikinami. Meanwhile, Gendo Ikari and SEELE proceed with a secret project that involves both Rei and Shinji.
-3
Based on a true story, American Marine Jason Johnson (Goselaar) is sent on assignment to the Emirate of Bahrain. While there, he meets and falls in love with a spirited, lovely young woman, Meriam (Nichols), without realizing she is really a member of the Bahraini Royal Family. Meriam, who does not wish to consent to an arranged marriage, knows her love affair with Jason is dangerous, as he is a Mormon Christian and she a Muslim. Her parents would never consent to their match, and so Meriam and Jason race against time to escape Bahrain and make it to the United States, where they can marry. If Meriam is sent back, however, her life may be in jeopardy.
1
When the industry's two biggest stuntmen are nominated for Stuntman of the Year, an over-ambitious documentarian reignites a dormant rivalry between the two men that results in an all out press war.
-1
The Bernie Mac Show is an American sitcom that aired on Fox for five seasons from November 14, 2001 to April 14, 2006. The series featured comic actor Bernie Mac and his wife Wanda raising his sister's three kids: Jordan, Bryana, and Vanessa.
0
Having left behind Seattle Grace Hospital, renowned surgeon Addison Forbes Montgomery moves to Los Angeles for sunnier weather and happier possibilities. She reunites with her friends from medical school, joining them at their chic, co-op, Oceanside Wellness Center in Santa Monica.
4
The documentary consists of tape of Don's show (never been filmed before), interviews with Don's contemporaries, (Steve Lawrence, Bob Newhart, Debbie Reynolds, etc.), established comedians (Billy Crystal, Rosanna Barr, Robin Williams, Chris Rock, etc.) and young comedians (Jeff Atoll, Jimmy Kimmel, Sarah Silverman, etc.).
0
Rose and Maloney is a British television crime drama starring Sarah Lancashire and Phil Davis as Rose Linden and Maloney, two investigators working for the fictional Criminal Justice Review Agency. This agency takes on claims of miscarriages of justice, assessing whether there are grounds to reopen old cases.

Rose is brilliant but strong-willed and sometimes reckless. She likes to follow her instincts and play hunches and often comes into conflict with authority. Maloney, although Rose's superior, usually allows himself to be led by his more passionate colleague. Maloney is a by-the-book man and a little grey. He finds working with Rose dangerous but addictively exciting.

A pilot was first broadcast on ITV on 29 September 2002. A series of three stories followed in July 2005.

Throughout all the series many actors and actresses starred in the programme including Tara Fitzgerald, Danny Dyer, Tiana Benjamin, Andrew-Lee Potts and Neil Dudgeon to name but a few.
0
American: The Bill Hicks Story is a biographical documentary film on the life of comedian Bill Hicks. The film was produced by Matt Harlock and Paul Thomas, and features archival footage and interviews with family and friends, including Kevin Booth. The filmmakers used a cut-and-paste animation technique to add movement to a large collection of still pictures used to document events in Hicks' life. The film made its North American premiere at the 2010 South by Southwest Film Festival. The film was nominated for a 2010 Grierson British Documentary Award for the "Most Entertaining Documentary" category. It was also nominated for Best Graphics and Animation category in the 2011 Cinema Eye Awards. Awards won include The Dallas Film Festivals Texas Filmmaker Award, at Little Rock The Oxford American's Best Southern Film Award, and Best Documentary at the Downtown LA Film Festival. On Rotten Tomatoes, 81% of the first 47 reviews counted were rated positive.
10
A conflict of interest between two high-kicking assassin sisters is complicated as they're pursued by the criminals who hired them and an equally high-kicking female cop.
-4
Based on a Japanese manga, Kanna-San, Daiseikou Desu, this story revolves around Kang Han-na, an overweight phone sex employee and secret vocalist for Ammy, a famous Korean pop singer who actually lip syncs as she cannot sing. After getting humilitated publicly by an ungrateful Ammy, Han-na undergoes an extreme makeover to become a pop sensation herself.
0
La La's Full Court Wedding is an American reality documentary television series on VH1. The series debuted on September 19, 2010.

A spin-off of the series, La La's Full Court Life, it follows the couple's married life.
0
When Melanie goes home from the pub with a handsome stranger, she’s captivated by his charm and attentiveness. He sails her away to his ‘castle’- a rundown shack on a deserted island. But when seduction becomes deception and passion becomes possession, Melanie realizes that she has been kidnapped. Torn between fear and desire, Melanie must escape – but her ardent admirer has other plans.
2
The story of a garage band rock star named Ace who receives a guitar as a gift that once belonged to the god father of heavy metal, Eddie Lee Stryker. Ace soon realizes that this guitar is possessed by the spirit of Eddie and that the rock god was murdered by Mrs. Delicious (the beautiful and deadly Detroit crime boss). With the help of her crew of sexy hit women, Mrs. Delicious is terrorizing the city. The violent vixens start on a killing spree murdering anyone who has borrowed money from their boss and has not paid her back. When the blood trail leads them to Ace's dad's guitar shop, Ace is forced to take action to save his friends and family and avenge the death of his rock-n-roll idol.
0
The friends Emmett, Freddy, Marie, Kevin and his reluctant girlfriend Jessie decide to spend the Halloween night in an abandoned hospital. Meanwhile, the younger Allan meets the old friend of his father Arlo Ray Baines and asks him to help to find his vanished sister Meg in the same spot. The two groups meet each other in the mental institution section on the haunted third floor.
-1
Boomer (Wiper) is a rookie cop based in the urban hellhole that is downtown Chicago. After his involvement in a drug bust operation which results in the death of Carlos (Carmen Argenziano), his mentor and father figure, Boomer becomes disillusioned with the brutal and inhumane nature of his job. Consequently, he decides to hand in his resignation to the Chicago Police Department and return to his home town of Joliet, where his fiancé, Kelly (Natasha Henstridge), awaits.While en route back to Joliet, however, Boomer makes a grievous error in judgment when he stops for, and assists, an unfortunate motorist whose vehicle appears to have broken down; the naive ex-cop is swiftly attacked and rendered unconscious. Boomer awakes to find that his car and wallet have been stolen, and that he has become involved in a dangerous game of mistaken identity.
-14
A team of rag-tag girls with their own agenda form Team India competing for international fame in field hockey. Their coach, the ex-men's Indian National team captain, returns from a life of shame after being unjustly accused of match fixing in his last match. Can he give the girls the motivation required to win, while dealing with the shadows of his own past?
0
Based on the novel "Panther in the Basement" by the world-renowned author, Amos Oz, the movie takes place in Palestine in 1947, just a few months before Israel becomes a state. Proffy Liebowitz, a militant yet sensitive eleven year old wants nothing more than for the occupying British to get the hell out of his land.
0
Yeah, Kenichi’s a total wimp. He’s always getting picked on and doesn’t have a lot of friends to stick up for him. The guy needs motivation if he hopes to graduate in one piece. Well, Miu’s the perfect motivation. She’s hot, she accepts him, and she just so happens to live at a dojo with six martial arts masters. You could say fate has led Kenichi to their door, or you could say he was just following the hottie. Either way, he’s about to get whipped into serious shape. If he can survive some hard-core training, he might survive another day at school. He might even score with Miu. Yeah, you could call Kenichi a wimp. But let’s go with underdog instead.
4
An astronaut doctor Ivan Hood and his fellow astronaut Kelly return from their mission in space to find the world has been taken over by aliens. Now Dr. Ivan Hood and Kelly must lead a revolution to free the human slaves from their alien masters.
2
A Pakistani involved in a planned attack in New York City experiences a crisis of conscience.
-2
During the summer of 1968 a teenage boy goes to work for a matchmaker who has survived the Holocaust - both their lives are forever altered.
1
The Bay follows the affluent, yet dysfunctional Bay City residents living in a town cursed by the spirit of Senator Red Garrett, the grandfather of socialite Sara Garrett. Their lives are riddled with sex, lies, & never-ending scandals.
-2
My Dad the Rock Star is a Canadian animated television series created by KISS bassist Gene Simmons, and produced by Canadian company Nelvana for the Canadian based channel Teletoon, and on Nickelodeon and Nicktoons Channel in the United States, andon Pop! and Kix! in the UK.

The show focuses on Willy Zilla, an ordinary timid teen boy just trying to be normal person despite being the son of a flamboyant, rich, and lively celebrity rock star named Rock Zilla
1
A man is reluctant to tell his fiancee that his parents, uncle and brother are dwarfs.
-1
High schooler Kei Tsuchiya joins The Destroyers when she decides that her longtime karate master is holding her back. She realizes her mistake but it's too late.
-1
A cold-blooded killer gets caught up in a surreal game of death in this neo-noir thriller starring Costas Mandylor. The winter winds are whipping outside when the unremorseful assassin dispatches with his latest target. But this time something goes wrong. Time begins to fold in on itself when a shadowy assailant strikes out from the darkness, turning hunter into prey in the span of seconds. The mysterious pursuer seems to anticipate the killer's every move, and as events begin to repeat themselves nobody is who they seem. A sudden stranger to his friends and associates, the killer begins to question his sanity after fresh wounds vanish from his flesh without a trace. When an unexpected telephone call reveals that his intended target is still alive, he is forced to relive his actions time and again while speeding ever closer toward a confrontation with the one adversary who could bring about his downfall.
-14
Alex is going through a midlife crisis and it has become a very difficult time for him. His marriage is struggling, he's worried about his son, and his job of killing people for his family has become the most stressful part of his life. He seeks the help of a therapist and meets a woman in the waiting room that he connects with.
-6
Four best friends, about to graduate from high school, must find a way to raise money to help a family member in need. When one of them discovers her banker father having an affair, the foursome plots to rob his bank during graduation ceremonies. When things don't go according to plan, they end up learning more about themselves in one day than they ever did in school.
0
A successful, single businesswoman who dreams of having a baby discovers she is infertile and hires a working class woman to be her unlikely surrogate.
0
Families in an idyllic suburban neighborhood are taunted by a mysterious doctor who moves in to town and spins a web of psychological chaos that changes their lives forever.
-1
After a confrontation with one of his idols dashes his dreams of studying public speaking in college, Richard Pimentel joins the Army and ships off to Vietnam. During his service, Richard loses nearly all of his hearing. Joining a new circle of friends, including a man with cerebral palsy and an alcoholic war veteran, Richard discovers his gift for motivational speaking and becomes an advocate for people with disabilities.
0
Steve Russell is a small-town cop. Bored with his bland lifestyle, Russell turns to fraud as a means of shaking things up. Before long, Russell's criminal antics have landed him behind bars, where he encounters the charismatic Phillip Morris. Smitten, Russell devotes his entire life to being with Morris regardless of the consequences.
-2
Father Jonathan Keene - a cold, impatient Catholic priest arrives in a tiny fishing village the week before Christmas to do what he does best: shut down a dying parish...
-2
Glenn Martin, DDS is an American-Canadian stop-motion-animated television series that premiered on Nick at Nite on August 17, 2009. The series was produced by Tornante Animation in association with Cuppa Coffee Studio. Glenn Martin, DDS was Nick at Nite's fourth original series.

The show premiered on March 18, 2010 on Sky1 in the UK and Ireland. Season two premiered on June 11, 2010. The show ended on November 7th, 2011.
0
At the dawn of WWII, several men escape from a Russian gulag—to take a perilous and uncertain journey to freedom as they cross deserts, mountains and several nations.
-1
Boston Strangler: The Untold Story is an intense true-crime thriller about Albert De Salvo, a wise cracking, small time criminal with an unrelenting sex drive, who ultimately falsely confesses to being the strangler that wreaked havoc in Boston during the early sixties. Guided by his manipulative cell mate, who knows more about the murders than he reveals, they devise a plan to gain all of the notoriety from the killings and the money from the reward. Meanwhile, Detective John Marsden, searches out the truth certain that they were not committed by one man. Fighting the bureaucracy of the day, Marsden lets his emotions get the best of him as he follows the trail of the murders.
-7
No one knows why the army base was blown up until the President gets shot there during the memorial service for those killed, but he wasn't the only target.
-1
When five sorority girls inadvertently cause the murder of one of their sisters in a prank gone wrong, they agree to keep the matter to themselves and never speak of it again, so they can get on with their lives. This proves easier said than done, when after graduation a mysterious killer goes after the five of them and anyone who knows their secret.
-3
After witnessing his mother's brutal rape and murder at a young age, Jeremiah Hill turns to a life of seclusion in a small mountain town. Six friends enter the town for a weekend camping trip and stumble upon Jeremiah's lonely cabin in the woods, which shatters his 33 years of solitude and turns their trip into a nightmare of survival.
-5
This is the story of a dysfunctional New York family, and their attempts to reconcile
1
A heated game of poker causes three men incarcerated for nonviolent offenses to brutalize their cellmate before taking drastic measures in order to cover up their crime.
-3
Il commissario Manara is an Italian television series.
0
A group of martial arts students are enjoying a reunion party when a bomb goes off in the building. When they wake up, some of their friends have been kidnapped and they soon find a group of assassins coming after them. The only way to survive is to fight their way out.
-1
The police force at Holby South is tasked with the toughest job yet. Not only are they fighting the usual crime with drug offenders and gang members, but today they are faced with the threat of terrorism on their own soil. A Spin off from Holby City and Casualty.
-4
A washed-up musician befriends a reclusive artist with an unusual name.
-1
Nate moves to L.A. to track down Cristabel, the woman he's been in love with since childhood, only to discover that his plan to woo her only has one hurdle to overcome: what to do with June, Cristabel's ever-present, not-so-hot best friend? What's even more complicating is Nate's growing feelings for June, whose true beauty starts to emerge.
4
A comedy centered on a handyman (Arkin) and his lifelong competition with his neighbor (Pendleton.)
0
Folks, meet Takashi Kamiyama. Enrolled at Cromartie High, where everybody is a delinquent, Kamiyama is apparently the only non-delinquent in the school. Logically, therefore, he must be the toughest in his class—by the rather twisted logic that only a really tough rabbit would lie down with lions. Thus begins a story that parodies every cliché of tough-guy anime that you've ever heard of, and some you haven't. Oh, and Freddie Mercury is in it, too.
-2
American journalists in Sudan are confronted with the dilemma of whether to return home to report on the atrocities they have seen, or to stay behind and help some of the victims they have encountered.
-2
When a clergyman is accused for the murder of a social worker, the parish priest recruits a reporter (and his ex-girlfriend) to clear his name.
0
Over the course of three days Ross, a college dropout addicted to crystal-meth, encounters a variety of oddball folks - including a stripper named Nikki and her boyfriend, the local meth producer, The Cook - but all he really wants to do is hook up with his old girlfriend, Amy.
-1
An MTV producer's life is transformed when he meets the recently retired host of 'Mister Rogers' Neighborhood,' Fred Rogers. Friendship with the PBS icon sets the young producer on a hero's quest to find depth and simplicity amidst a shallow and complex world through conversations with Susan Stamberg (NPR), Tim Russert ('Meet The Press'), Marc Brown ('Arthur') and more.
-1
Award-winning documentary, Sitting Bull: A Stone in My Heart, makes extensive use of Sitting Bull’s own words, giving the viewer an intimate portrait of one of America’s legendary figures in all his complexities as a leader of the great Sioux Nation: warrior, spiritual leader and skilled diplomat. Sitting Bull’s words, as portrayed by Adam Fortunate Eagle, dominate this story. Augmented by a narrator’s historical perspective, over six-hundred historical photographs and images, and a compelling original music score, the film brings to life the little-known human side of Sitting Bull as well as the story of a great man’s struggle to maintain his people’s way of life against an ever-expanding westward movement of white settlers. It is a powerful cinematic journey into the life and spirit of a legendary figure of whom people have often heard but don’t really know.
9
The year is 2012 and only Buddhist kung-fu cop Terry Phoo and teenage ne'er-do-well Whitey Action can save London and the Nation as a whole from mutant criminals who are taking over.
-1
In a small hamlet in the Colombian mountains, a newly appointed padre Father Gabriel finds himself torn between his spiritual calling and his desires for a young woman named Silvia, while also trying to protect his congregation from being drawn into the increasingly violent battles between the government military and rebel forces that surround the town.
1
She's Got the Look is a reality series created for and aired on TV Land. Hosted by model Kim Alexis, twenty women compete to become the next great supermodel 35 years or older. Celebrity judges, Robert Verdi, Sean Patterson and Rosumba Williams whittle down the cast of twenty until they find the one who has ‘the look.’ Beverly Johnson was a judge for the first two seasons. The winner receives a lucrative modeling contract with the world famous Wilhelmina Models, Inc and a photo spread for Self.

TV Land’s nationwide search, which included months of online submissions, auditions and regional competitions in Los Angeles, Atlanta and New York City resulted in flying twenty contenders to New York. These semi-finalists were put to the test of expressing themselves and their fashion know-how. Ten finalists were then selected to live in a loft and compete in challenges such as photo shoots, runway competitions and tests on their fashion sense. At the conclusion of the competition, one woman is crowned the ultimate winner.

The series premiered on June 4, 2008 with six back-to-back episodes. A second season aired in 2009. Season three premiered on August 25, 2010.
5
Morgan Spurlock subjects himself to a diet based only on McDonald's fast food three times a day for thirty days without exercising to try to prove why so many Americans are fat or obese. He submits himself to a complete check-up by three doctors, comparing his weight along the way, resulting in a scary conclusion.
-2
A fascinating look at how American agricultural policy and food culture developed in the 20th century, and how the California food movement rebelled against big agribusiness to launch the local organic food movement.
1
Joe McBeth is a hard-working but unambitious doofus who toils at a hamburger stand alongside his wife Pat, who is much smarter. Pat believes she could do better with the place than their boss Norm is doing, so she plans to usurp Norm, convincing Mac to rob the restaurant's safe and then murder Norm, using the robbery as a way of throwing the cops off their trail.
2
Recruited by the U.S. government to be a special agent, nerdy teenager Cody Banks must get closer to cute classmate Natalie in order to learn about an evil plan hatched by her father. But despite the agent persona, Cody struggles with teen angst.
-1
Ruby Gloom is a Canadian animated television show based on an apparel franchise of the same name. The show was produced by Nelvana and began airing on October 13, 2006 in Canada on the network YTV. It features the voices of Sarah Gadon, Emily Hampshire, Peter Keleghan, and Adrian Truss.
-1
A mob enforcer is set up to take the fall for a multi-million dollar heist involving a rival gang boss. Merle (Eric Roberts) is a gambler stuck on a twenty-year losing streak, but his luck is about to change. Surviving a trap that was intended to kill him, Merle makes away with a beautiful woman and a piece of the take. Most men in that position would have been content to simply walk away with their lives, but Merle has been loyal for twenty years. Realizing he's been betrayed, something inside snaps. They used to call him "The Butcher" as a joke, but the laughter turns to screams when Merle returns to deliver the ultimate punchline.
-6
What happens when we die? Medical advances have created what are termed near death experiences. This documentary interviews people who had such an experience who reported visions of bright light, a feeling of love and speaking with Jesus. Medical doctors, physicists, biblical scholars and other scientists discuss this phenomenon and other documented evidence that may prove Heaven's existence.
1
An elderly ex-serviceman and widower looks to avenge his best friend's murder by doling out his own form of justice.
-1
Revolves around a 12-year-old breakdancer, who in 1986 hits his head while performing at a talent show and as a result is comatose for 20 years. He awakens to find he is a grown man. With the mind and experience of a young kid, he attempts to revive his and his dance team's short-lived career with the hopes of helping support his parents' failing yogurt shop.
2
Three quirky families seeking to buy their next home collide when trying to purchase the same property. The bidding war tests the limits of their marriages and the resolve of their agents.
-1
Blue-collar Paulie prepares for fatherhood and his forthcoming wedding to Sue by hanging out with his groomsmen. Brother Jimbo, cousin Mike, and his pals fill the reunion with drinking, boys-will-be-boys antics and a few unexpected personal confessions. But, when the bonding devolves into accusations and regret, Paulie has to decide whether he's ready to tie the knot and take this big step into adulthood.
-4
Paleontologist Robert Trenton is called to Northeastern Antarctica near the Indian Ocean to help the FBI build an underground maximum-security military base and prison for the world's most dangerous criminals and terrorists, which is dubbed "New Alcatrax" by the staff. While building the prison, the staff accidentally awaken and unleash a prehistoric Boa Constrictor from its 200 year hibernation.
-5
In 1590, Coronado dispatched a division of one thousand men to find El Dorado, the legendary city of gold. Those men were never seen again. While searching some Baja peninsula caves as part of an archeological expedition, a university professor and his students unwittingly unleash a long dormant curse. They soon find themselves in a life or death battle with an army of skeletal warriors, the undead remnants of Coronado's conquistadors.
-2
Our modern civilization is likely to be confronted with the biggest paradigm shift in the perception of reality ever, and through our productions we wish to bring insight from the forefront of this development.
1
A group of five led by Julie set up their filming equipment in the hotel of the derelict town of Goldfield, hoping to capture footage of the ghost of Elisabeth Walker, a maid tortured and killed in room 109. Troubled by visions, Julie discovers that a necklace, handed down to her from her grandmother, is somehow connecting her to this tragedy.
-3
A seemingly perfect family moves into a suburban neighborhood, but when it comes to the truth as to why they're living there, they don't exactly come clean with their neighbors.
2
Adolf Hitler caused the deaths of fifty million people. An entire nation followed him to ruin. Over a tumultuous 12 years Adolf Hitler went from being a minor rabble-rousing politician, to supreme leader of Nazi Germany. He was hated by those he persecuted, and even by some of his own commanders - yet in twenty-five years no one managed to kill him. This program shows how Hitler's bodyguards helped him cheat death on many occasions. They expanded from a handful of thugs recruited to protect political meetings and fight opponents on the streets, to many thousands - including some of the most fearsome secret police and paramilitary forces the world has ever known.
-7
A long-lost engagement ring still divides childhood sweethearts who are now in their golden years. Now, her daughter (Heaton) and his nephew meet and find that their attraction is hindered by the old feud.
3
A soldier recounts his relationship with a famous political prisoner attempting to overthrow their country's authoritarian government.
-2
M.I. High is a BBC children's spy-fi adventure series. It was produced for the BBC by the independent production company Kudos, who also produced the hit BBC spy drama Spooks. It follows in the success of the Young Bond and the Alex Rider series of books and films. M.I. High is recorded in high definition and is shown on the CBBC Channel and CBBC Outputs on BBC One and BBC Two. M.I. High is also shown on the BBC HD Channel. Repeats also frequently air in Australia on ABC3. As of October 2012 the series has began airing on the UKTV channel Watch.
1
For nearly two months, the USS Newark, carrying an experimental, top-secret military cargo, has been lost at sea. When the sub is finally discovered sixty miles off the coast of California, the government, eager to regain the lost cargo, assembles a highly-accomplished salvage team, accompanied by Dr. Carly Ryan - head of the original project - and her assistant. Unaware of the danger lurking within the sub, the team is sent in to recover the cargo and determine the cause of the ship's disappearance. Written by psycroptic
-2
Mutant radioactive bugs attack VJs, Carmen Electra and an island full of MTV contest winners in this tongue-in-cheek tribute to B-movies, monster flicks and even MTV. MTV Original Movies presents Monster Island, a flick with old school effects mixed with hot new celebrities. There’s action, romance and big bugs--now is that something you really want to miss?
-4
The basic premise is that Whitney is a really great guy who is considered too gentle, too friendly, and too genuine to be straight. Actually, he's straight, and he's madly in love with his girlfriend Taylor. Whitney has a best friend, Aldo, who is the worst best friend a nice guy ever had. Whitney is ready to marry Taylor, but Taylor keeps telling him to wait. To wait. To wait. Taylor has a secret and Aldo knows the secret. He won't tell, if . . .
7
A mother takes her two sons on an unusual road trip from New York to Pittsburgh, St. Louis and eventually Hollywood in her quest to find a man to take care of them all.
-1
Princess Tutu follows Duck, a duck who was transformed into a young girl and takes ballet at a private school. She becomes enamoured of her mysterious schoolmate Mytho, and transforms into Princess Tutu to restore his shattered heart. Mytho's girlfriend Rue transforms into Princess Kraehe to frustrate Tutu's efforts, and Mytho's protective friend Fakir discourages Mytho's burgeoning emotions. When it becomes apparent that Duck, Rue, Mytho, and Fakir are meant to play out the characters in a story by a long-dead writer named Drosselmeyer, they resist their assigned fates and fight to keep the story from becoming a tragedy.
-4
Join Buddy, a Tyrannosaurus Rex, and his adoptive Pteranodon family on a whimsical voyage through prehistoric jungles, swamps, volcanoes and oceans, as they unearth basic concepts in life science, natural history and paleontology.
0
Stand-up performance filmed at the historic Fox Theatre in Detroit, MI., Epps gets the house rocking with his unique and hilarious observations of married men, black/white family dynamics and a spot-on impersonation of a popular crime scene investigation series. Legendary hip hop emcee Doug E. Fresh also makes a special appearance.
4
Residents of an adult community in Florida turn to one another for support and companionship after the deaths of their spouses. Lois  has a rejuvenating affair with a younger man while acting as best friend to recently widowed Marilyn. Jack buddies up with Harry for a crash course in solo survival skills and deals with single gal Sandy's romantic overtures.
5
An American Shorthair kitten wanders away from her mother and siblings one day while enjoying a walk outside. Lost in her surroundings, she struggles to find her way back home. She is soon found by the Yamada family. Finding a home for her proves to be difficult, so the family eventually decides to keep the kitten, naming her "Chi".
-2
In the seedy underground of illegal prizefighting, a corrupt boxing promoter is embroiled in a dangerous fight-fixing scheme with his female prizefighter.
-4
Badki and Chutki live a fun-filled life in Banaras, playing pranks, sneaking off to see a forbidden mujra, and soaking up all the excitement that goes on the ghats of the Ganga. Badki is aware that the family is in dire straits, but she and her mother protect Chutki at all costs. When things get worse, Badki decides to go to Mumbai and seek a living for the family.
-1
Radioactive weed turns people into zombies with the munchies for human flesh!
-2
This 7-part season is filled with expert interviews and in-depth portraits of some of America's most infamous killers including John Wayne Gacy, David Berkowitz, Richard Ramirez, James DeAngelo, Aileen Wuornos, Jeffrey Dahmer, Andrew Cunanan, Ted Bundy and many others.
-2
A teacher comes to terms with his past during a school trip to Salisbury Cathedral.
0
Nellie, née Bouchard, is divorced by wealthy Jack Givens because after a miscarriage even in vitro fails to overcome her infertility. She finds herself destitute as her own account were plundered by someone who stole her maiden identity, Eleanor Kendall. Bank officer lover Dave helps her trace the impostor to Montréal and prevent if being spent on a Corsica home. She starts an affair with British doctor Christopher Dolan, who is in town for a conference, and bumps into Eleanor, a local French tutor and single mother. Instead of informing the police, she gets acquainted with and comes to like 'Eleanor'. Finally the truth catches up, but more complex and perilous then anyone anticipated.
-3
Melvin Van Peebles was one of the first black directors to challenge the white establishment in his films, which include "Watermelon Man" and "Sweet Sweetback's Baadasssss Song." In this documentary, the life of Van Peebles is discussed, including his work not only in film, but also as a novelist, actor, musician, stock trader and even Air Force pilot. Interview subjects include Gil Scott-Heron, Spike lee and Melvin's son and fellow filmmaker, Mario Van Peebles.
2
When big-city preacher Debbie Laramie (Crystal Bernard) moves to the small town of Paradise with her son Hayden (Bobby Edner), she finds the local community unreceptive to her message of love and forgiveness. Determined to get through to her stubborn congregation, Debbie uses unique methods to shake the churchgoers out of their indifference, such as inviting a homeless man to sing during one of the services. Brian Dennehy co-stars.
-1
A romantic drama about a tight-knit group of college friends who graduated from NYU the year of 9/11 and reunite years later for a weekend wedding in Georgia. Unresolved conflicts and love affairs spark again.
0
A day in the life of a barbershop on the south side of Chicago. Calvin, who inherited the struggling business from his deceased father, views the shop as nothing but a burden and waste of his time. After selling the shop to a local loan shark, Calvin slowly begins to see his father's vision and legacy and struggles with the notion that he just sold it out.
-6
FROM OTHER WORLDS is a sci-fi comedy about a depressed Brooklyn housewife who sleepwalks through her life until she encounters an alien force in her backyard. With the help of a fellow contactee, an African immigrant, she is determined to solve the mystery of her otherworldly experiences. Along the way, she finds romance, saves the planet and finds new meaning in her life.
-2
En route to a camping trip, a newly married cop's family is caught in a gas station robbery, where the wife is seriously injured.
0
After an overly ambitious businessman transports an 80-foot python to the United States, the beast escapes and starts to leave behind a trail of human victims. An FBI agent and a snake specialist come up with a plot to combat the creature by pitting it against a bioengineered, 70-foot boa constrictor. It's two great snakes that snake great together!
2
Wes Clayton is a lawman and a bishop in a Mormon community called Brigham. The town is shaken when a woman from California is found murdered. Clayton and his young deputy work with an FBI agent sent to investigate. As a civil and spiritual leader in the frightened town, Clayton must uncover the town's deepest secrets, find the murderer and keep Brigham from ripping itself apart.
1
Paris, France, 2001. Octave Parango, a young advertiser working at the Ross & Witchcraft advertising agency, lives a suicidal existence, ruled by cynicism, irresponsibility and debauchery. The obstacles he will encounter in developing a campaign for a new yogurt brand will force him to face the meaning of his work and the way he manages his relationship with those who orbit around his egotistic lifestyle.
-3
"Pucca" is a TV series based on a Flash animation series published by Vooz Character Systems. It follows the trails and exploits of a South Korean girl named Pucca who is insanely in love with a prideful ninja named Garu. Meanwhile, Garu and Pucca help their town of Sooga Village out when evil ninjas attack, as well as diffuse a lot of the absurd situations that frequently plague the town. This show could best be described as a cleaned-up version of South Park meets Looney Tunes meets Naruto. There is some very subtly hidden adult humor; but most of the adult jokes would not go noticed by small children, who are the primary audience.
-4
A group of Confederate soldiers hole up on an abandoned plantation after robbing a bank, and find themselves at the mercy of supernatural forces.
1
In the world of MIDNIGHT, it is a time of overwhelming darkness. After three ages of scheming and war, the dark god Izrador has finally defeated the heroes and armies of the free races. Now, he rules the world of Aryth with an iron fist. Enslaved under the Shadow, the race of men leads an oppressed existence, and the elves and dwarves have retreated to distant forests and mountains.
-1
Sebastian Maniscalco's comedy is impeccably paced and chock-full of seething observations on daily human behavior. He voices his disgust of everything from shopping at discount department stores to men in flip-flops. These hilarious observations have made him one of the most sought-after comedians today. Filmed at the Paramount Theatre in St. Louis, MO, Sebastian Maniscalco Live will leave you screaming for more of Sebastian's unique brand of humor.
2
Dave, Sam and Jeff are about to graduate from Holden University with honors in lying, cheating and scheming. The three roommates have proudly scammed their way through the last four years of college and now, during final exams, these big-men-on-campus are about to be busted by the most unlikely dude in school. Self-dubbed Cool Ethan, an ambitious nerd with a bad crush, enters their lives one day and everything begins to unravel.
-3
As the real estate market is in a downward spiral, beautiful young realtor Lauren Baker gets the listing of a lifetime: a mansion on Chicago's exclusive Gold Coast has fallen into her lap and she is able to quickly find a cash buyer for the brother and sister who are selling their parents' estate. When the vendors turn out to be imposters and the real owners turn up murdered, Lauren realizes that she has fallen victim to a scam as well as a cover up to a murder. Lauren is determined to find out who deceived her and why.
-1
A sea turtle who was hatched in 1959 spends the next 50 years traveling the world while it is being changed by global warming. Born on a Baja, California beach in 1959, new hatchling Sammy must do what his fellow newborn sea turtles are doing: race across the beach to the ocean before they are captured by a seagull or crab. Thus begins Sammy's incredible fifty-year ocean journey. Along the way he meets his best friend, a fellow turtle named Ray, and overcomes obstacles both natural and man-made while trying to fulfill his dream of travelling around the world. Throughout his voyage, Sammy never forgets about Shelly - the turtle he saved on his first day and loves passionately from afar.
3
A stroke of good luck turns lethal for Sam Phelan and his wife Leslie when they are faced with a life-changing decision that brings strange and sinister Pyke Kubic to their doorstep. As Pyke leads Sam and Leslie on a tumultuous adventure through the streets of Chicago, each are pulled deeper and deeper into a desperate spiral of deception and violence – all in the name of money.
-3
A computer programmer's dream job at a hot Portland-based firm turns nightmarish when he discovers his boss has a secret and ruthless means of dispatching anti-trust problems.
-2
Gary, a musician, is trapped in an unhappy relationship with his live-in lover, Dora. He becomes enthralled with a beautiful seductress who enters his dreams, and tries to control his dream-state so he can spend more and more time with her. When Gary sees his mystery woman's face on a bus billboard, he discovers she is real, and fate brings him an opportunity to meet her.
0
Edwardian Farm is an historical documentary TV series in twelve parts, first shown on BBC Two from November 2010 to January 2011. It depicts a group of historians trying to run a farm like it was done during the Edwardian era. It was made for the BBC by independent production company Lion Television and filmed at Morwellham Quay, an historic quay in Devon. The farming team was historian Ruth Goodman and archaeologists Alex Langlands and Peter Ginn. The series was devised and produced by David Upshal and directed by Stuart Elliott.

The series is a development from two previous series Victorian Farm and Victorian Pharmacy which were among BBC Two's biggest hits of 2009 and 2010, garnering audiences of up to 3.8 million per episode. The series was followed by Wartime Farm in September 2012, featuring the same team but this time in Hampshire on Manor Farm, living a full calendar year as wartime farmers.

An associated book by Goodman, Langlands, and Ginn, also titled Edwardian Farm, was published in 2010 by BBC Books. The series was also published on DVD, available in various regional formats.
2
Experienced car dealer Mike Brewer is joined by multi-talented mechanics in a monumental motoring mission: to find and restore iconic cars to later sell for a profit at their LA-based shop. In the series, Mike has the challenging job of finding vehicles that have money-making potential. He then hands them over to a mechanic, who tackles everything from bare metal re-sprays to gearbox swaps to bring them back to their former glory.
1
A family moves to a small town in California where they plan on starting a new life while running a long-abandoned funeral home. The locals fear the place, which is suspected to be on haunted ground.
-1
HOLD is a tense, spare, and lean drama about a young couple's relationship in the aftermath of a violent home invasion. Boasting no musical score and filmed in claustrophobic closeups, it investigates the frailty of the hero complex by putting a microscope on American paranoia.
-2
In just one unforgettable night, Cavis and Millward (Bob and Larry) and a music box angel named Hope must convince Nezzer that Easter is more about candy and eggs. Inspired by Dickens' Christmas classic, this very special VeggieTales film explains why millions of Christians around the world celebrate Easter past, present, and future.
4
Sent to Mexico to help take care of aging Father Benito, young Father Amaro faces a moral challenge when he meets a 16-year-old girl who he starts an affair with. Likewise, the girl's mother had been having an affair with Father Benito. Father Amaro must choose between a holy or sinful life.
0
Cyberchase is an American/Canadian television series for children ages 7-13. The series takes place in Cyberspace, a virtual world, and chronicles the adventures of three children, Jackie, Inez, and Matt, as they use math and problem solving skills to save Cyberspace and its leader, Motherboard, from The Hacker, the villain. Cyberchase has received generally positive reviews and won numerous awards. Thirteen/WNET New York and Nelvana produced the first five seasons, while Thirteen, in association with Title Entertainment, Inc. and WNET.ORG, produced seasons six through eight. The show airs on Public Broadcasting Service and PBS Kids GO! in the United States. All episodes have been released free on the Cyberchase Website. Since July 2010, Cyberchase has been put on hiatus, but was announced that starting in November, Cyberchase will be revived and start airing new episodes with its 9th season.
4
In 1831, Nat Turner led a slave rebellion in the United States that resulted in the murder of local slave owners and their families, the eventual execution of 55 rebels and the retribution lynching of more than 200 innocent slaves. Nat Turner: A Troublesome Property examines how the story of Turner’s revolt has been interpreted throughout history and how it continues to raise new questions about the nature of terrorism and other forms of violent resistance to oppression.  The film adopts an innovative structure by interspersing documentary footage and interviews with dramatizations of these different versions of Turner’s story. A unique collaboration between MacArthur Genius Award feature director Charles Burnett, acclaimed historian of slavery Kenneth S. Greenberg and Academy Award-nominated documentary producer Frank Christopher, Nat Turner is a compelling look at one of history’s most mysterious figures.
-6
Price, a former hitman, is struggling to cope with retirement. He left the assassination business to live the "easy life." However, retirement arrived with its own agenda. It was not the instant peace and calm that Price expected. Rather, it was emptiness, boredom, and, worst of all, restlessness. The Last Lullaby plummets Price back into his old life and forces him into a corner from which he may never escape. Price's old ways no longer work for him when his heart opens, and he finds life beyond his profession. The tension finally boils, as Price must decide to close himself off again or open himself up to a world beyond his control.
-3
Jesse Stone is a former L.A. homicide detective who left behind the big city and an ex-wife to become the police chief of the quiet New England fishing town of Paradise. Stone's old habits die hard as he continues to indulge his two favorite things: Scotch whiskey and women. After a series of murders—the first ever in Paradise—and a high school girl is raped, he's forced to face his own demons in order to solve the crimes.
-3
This documentary follows NBA superstar LeBron James and four of his talented teammates through the trials and tribulations of high school basketball in Ohio and James' journey to fame.
2
Examines the history and legacy of the photo Guerrillero Heroico taken by famous Cuban photographer Alberto Díaz Gutiérrez. This image has thrived for the decades since Che Guevara's death and has evolved into an iconic image, which represents a multitude of ideals. The documentary film explores the story of how the photo came to be, its adoption of multiple interpretations and meanings, as well as the commercialization of the image of Ernesto "Che" Guevara.
2
The urban tale of three women who have nothing but money on their minds after each one has a loss of financial income.
-1
Fact-based war drama about an American battalion of over 500 men which gets trapped behind enemy lines in the Argonne Forest in October 1918 France during the closing weeks of World War I.
-2
The creative chemistry of four brilliant artists —drummer John Densmore, guitarist Robby Kreiger, keyboardist Ray Manzarek and singer Jim Morrison— made The Doors one of America's most iconic and influential rock bands. Using footage shot between their formation in 1965 and Morrison's death in 1971, it follows the band from the corridors of UCLA's film school, where Manzarek and Morrison met, to the stages of sold-out arenas.
2
Sid the Science Kid is a half-hour PBS Kids series that debuted on September 1, 2008. The computer generated show is produced by The Jim Henson Company and then-PBS member KCET in Los Angeles, California using the Henson Digital Puppetry Studio. The show is produced by motion capture which allows puppeteers to voice digitally animated characters in real time. Production began in the fall of 2008 with 42 half-hour episodes of Sid the Science Kid having been ordered. The series debuted on PBS Kids on September 1, 2008, with a two-year on-air commitment. The original working title for the series was "What's the Big Idea?" and the central character, Sid, was originally named Josh.

KOCE, the current primary PBS member for the Los Angeles area, began co-producing the show after KCET disaffiliated with PBS on December 31, 2010.

24-hour preschool channel PBS Kids Sprout acquired Sid the Science Kid on March 25, 2013. It airs daily at 3:30pm ET.
0
An ex cop turned insurance investigator (John Heard) tries to hold his life together as he investigates the death of a music producer who may have been murdered.
-1
A documentary film that highlights two street derived dance styles, Clowning and Krumping, that came out of the low income neighborhoods of L.A.. Director David LaChapelle interviews each dance crew about how their unique dances evolved. A new and positive activity away from the drugs, guns, and gangs that ruled their neighborhood. A raw film about a growing sub-culture movements in America.
1
The heads of Wall Street's biggest investment banks were summoned to an evening meeting by the US Treasury Secretary, Hank Paulson, to discuss the plight of another - Lehman Brothers. After six months' turmoil in the world's financial markets, Lehman Brothers was on life support and the government was about to pull the plug. Lehman CEO, Dick Fuld, recently sidelined in a boardroom coup, spends the weekend desperately trying to resuscitate his beloved company through a merger with Bank of America or UK-based Barclays. But without the financial support of Paulson and Lehman's fiercest competitors, Fuld's empire - and with it, the stability of the world economy - teeters on the verge of extinction.
0
Sinbad returns to the stage and answers the question his fans have been asking him, “Where Ya Bin?”
0
Sherlock Holmes and Dr. Watson are called in to unravel a mysterious curse that has plagued the Baskerville family for generations. When Sir Charles Baskerville is found dead, his heir, Sir Henry, begs Holmes to save him from the terrifying supernatural hound that has brought fear and death to his household.
-6
The fates of an aging hitman and a washed up detective become entwined when one last job leads to one last chance to settle an old score.
1
After a messy divorce, Alex Wilson (Shannon Elizabeth) isn't interested in the advances of her colleague, Michael (Christian Campbell). But when Michael's interest takes a morbid turn and someone ends up dead, Alex becomes trapped in a supernatural struggle to save her son from a scorned (and deceased) suitor.
-5
Recorded live in Montreal, this is the North American debut of Scottish comedy sensation, Danny Bhoy. Audiences around the world have been enraptured by Danny's unique brand of storytelling and some of the finest observational comedy in the world today.
3
Murthy (Prashanth) earns his living taking the blame for the mistakes of other people and the jail is his second home. Dhanushkodi (Raghuvaran) has sworn to kill ex-collector Ramanathan's (Vijayakumar) son and so, Ramanathan has transferred his son Santosh (Pravinkanth) to Mauritius while telling the world that he has ran away. Wishing to save his son, he hires Murthy to act as his long lost son, hoping that Dhanushkodi would kill him instead of his actual son. Murthy too accepts the gig since his lover Preeti (Jyotika) is Ramanathan's niece. In the climax, Santhosh supports Dhanushkodi for killing his father, But Dhanushkodi kills Santhosh. The film ends with Murthy taking the blame for killing Santhosh and surrenders himself to police.
-8
Taped at Washington D.C.’s Sidney Harmon Hall, “Whitney Cummings: Money Shot” features Cummings commenting on male strippers, fake boobs and getting spanked in the bedroom, among other things, in this hilarious performance. It’s not every day a funny lady reveals the best way to punish a boyfriend, what it’s really like to date a vampire, the similarities between The Food Network and porn and the “emotional ninja” tactics all women have at their disposal!
0
Vanity Fair Special Correspondent Dominick Dunne has become known the world over for his vociferous championing of the rights of the victim in high-profile murder cases. His powerful commentaries have made compelling reading in Vanity Fair for a quarter of a century. Now, aged 82, Dunne is covering his last murder trial for Vanity Fair -- the trial of music producer Phil Spector -- and reflects upon his past as a decorated WWII Veteran, his rise and spectacular collapse as a Hollywood producer, and his rebirth as the writer we know today. Dunne's mind offers a fascinating insight into the American psyche and its obsession with fame.
2
Adam Buckley finds himself in the middle of a convenience store robbery during his last night as a pledge for a college fraternity. When the initiation ritual goes horribly wrong, and every move proves disastrous, Adam is forced to confront a new challenge all together, and he has to take a stand.
-2
Frankenstein is a 2007 British television film produced by Impossible Pictures for ITV. It was written and directed by Jed Mercurio, adapted from Mary Shelley's original novel to a present-day setting. Dr. Victoria Frankenstein, a female geneticist, accidentally creates a monster while growing her son's clone from stem cells as an organ donor in an effort to prevent his imminent death.
-3
Pet Alien is a US computer-animated series produced by Mike Young Productions and Antefilms Productions in 2005. It was created by Jeff Muncy and the episodes are mainly written by Dan Danko and directed by Andrew Young. The series centres around the 15-year-old boy Tommy Cadle, whose lighthouse is invaded by five aliens. Crest Animation studios brought this story to life with their computer graphics expertise and this series was executed by a crew based in Mumbai, India.
0
A chronicle of the life, work and mind that created the Cthulhu mythos.
1
After Germany invades Poland and the Nazis order the confinement of all local Jews in the ghetto, medical doctor Artur Planck (Joseph Fiennes) manages to flee with his family, seeking refuge at the farm of Emilia (Kelly Harrison), their former grocer. With the Planck family hiding in her attic, Emilia finds her feelings for the physician growing stronger than she wants, or can control -- despite the dangers of the situation.
-2
The third installment in the franchise of Yu-Gi-Oh! anime series.
0
Just decades ago, flophouses in New York housed nearly 25,000 men living on the margins of society. Today few remain. Filmmaker Michael Dominic takes his camera behind the doors of the Sunshine Hotel, one of the few remaining affordable refuges for the destitute and out of luck, a world that has seemingly stood still for more than eight decades. Here the hotel residents live in tiny four-by-six-foot cubicles crowned by a ceiling of chicken wire. Focusing on several of the Sunshine’s denizens – including a transgender woman saving all her money for additional surgeries and a hotel manager who doubles as its resident philosopher – Dominic presents a non-judgmental snapshot of a diverse group of characters as memorable as the characters at Harry Hope’s bar in Eugene O’Neill’s “The Iceman Cometh.”
2
Two sisters from Beverly Hills find themselves in the adventure of a lifetime when they're sent to spend the summer working on a horse ranch with their estranged father. Always seeming to find trouble, they get more than they bargained for when they become involved in a heart stopping hunt for buried treasure in the mountains above the ranch.
-1
A madman unleashes a biological weapon powerful enough to wipe out life on earth in this apocalyptic horror story. As the flesh-eating bacteria spreads, people drop like flies and a top secret military team is called in to stop the outbreak. But the maniac may just succeed: By the time the experts are called in, the contagion has taken on a life of its own. Alison Whitney, Benjamin Kanes, Miya Sagara and Andrew Kranz star.
1
The day after they get the word they'll go home in two weeks, a group of soldiers from Spokane are ambushed in an Iraqi city. Back stateside we follow four of them - a surgeon who saw too much, a teacher who's a single mom and who lost a hand in the ambush, an infantry man whose best friend died that day, and a soldier who keeps reliving the moment he killed a civilian woman.
-3
The true story of Australia's cat-and-mouse underground mine warfare—one of the most misunderstood, misrepresented and mystifying conflicts of WW I. It was secret struggle BENEATH the Western Front that combined daring engineering, technology and science. Few on the surface knew of the brave, claustrophobic and sometimes barbaric work of these tunnellers.
-1
The Saddle Club is a children's television series based on the books written by Bonnie Bryant Like the book series, the scripted live action series follows the lives of three teenage girls in training to compete in equestrian competitions at the fictional Pine Hollow Stables, while dealing with problems in their personal lives.  Throughout the series, The Saddle Club navigates their rivalry with Veronica, training for competitions, horse shows, and the quotidian dramas that arise between friends and staff in the fictional Pine Hollow Stables. In each show, The Saddle Club prevails over its adversities, usually sending a message emphasizing the importance of friendship and teamwork.
-4
In a small Catholic boarding school an unspeakable act has been committed. When High School student, Luther Scott, confesses to Father Michael Kelly, Kelly is bound silent to the particulars of a grisly murder. Now, framed guilty by the desperate teen, Kelly must decide to keep his silence or throw away everything the priesthood holds sacred.
-4
Chandru's grandfather is going to visit him but Chandru has spent all his money. So he requests his wealthy friend, Rakesh, to pose as the owner of all the riches till his grandfather stays with him.
2
Emily is a plucky preteen who is entrusted with her young neighbors' most private and cherished secrets. Every Wednesday, Emily sets up a booth in her backyard that regularly attracts the guilty young souls of the neighborhood. These include Philip, whose clumsiness and his interest in Emily make him a challenging client. But complications ensue when she suddenly finds it difficult to keep all of her neighbors' secrets to herself.
-3
On the gritty streets of LA, the destinies of four people desperate for connection and redemption are about to collide.
0
Jack and Jill's Manifesto of Rules to Live By Rule 1 Be honest Rule 2 Believe in fairy tales Rule 3 Accept time as our friend Rule 4 Make sure the nooky is good Rule 5 Promote beauty. Wage a sustained campaign against ugliness Rule 6 Abandon the pursuit of happiness and its false promise Rule 7 Show compassion, except to pirates Rule 8 Less TV Rule 9 Always be willing to admit when you're wrong
4
A year and a half ago the world was hit with the biggest catastrophe it had ever seen. Without warning and without explanation, hundreds of millions of people simply vanished off the face of the earth. The world was in chaos like it had never been before. Yet somehow one man seemed to rise to the challenge. One man had the strength and conviction to unite a shattered world. One man gave the world hope. That man was NICOLAE CARPATHIA. He now rules the entire world.
-2
Combining his amazing talent and his unorthodox sense of humor, Jeff Dunham returns, yet again, with a hilarious stand-up comedy and ventriloquist performance. Starting off with the infamously known Walter, scrutinizing every bit of today's American society. Followed by two new characters, Achmed the Dead Terrorist, who continuously threatens the crowd with Silence and Death, and Melvin the Superhero.
0
A top secret drilling platform in the Gulf of Mexico raises a dormant alien creature from the depths. Once loose, the creature goes on a murderous rampage.
-2
Canadian Lt. General Romeo Dallaire was the military commander of the UN mission in Rwanda and this movie is personal and, all too true, story of his time there during the genocide of 1994. It is not quite as moving as the earlier Hotel Rwanda and is less geared to drama and emotional manipulation, but it is still grim and upsetting.
-4
Moscow police detective Andrei Somov resigns and immigrates to the US, but has to accept a menial job in a restaurant while his adolescent son and pregnant daughter-in-law are denied exit visas. 'Andy' does however get to know some LAPD cops after volunteering his expertise and Russian language skills and is sent to Tijuana to fetch cheap tiles. On that Mexican journey, Somov bumps into Larry, another ethnic Russian but US citizen who lost his daughter years ago and now helps families to illegally enter the States. Meanwhile, the medium Michael March receives a vision about a mad bomber who targets pharmaceutical companies and gets a bad feeling upon holding an envelope that belongs to Larry.
-7
Set in Paris in 1919, biopic centers on the life of late Italian artist Amedeo Modigliani, focusing on his last days as well as his rivalry with Pablo Picasso. Modigliani, a Jew, has fallen in love with Jeanne, a young and beautiful Catholic girl. The couple has an illegitimate child, and Jeanne's bigoted parents send the baby to a faraway convent to be raised by nuns.
0
Sergeant Michael Dunne fights in the 10th Battalion, AKA The "Fighting Tenth" with the 1st Canadian Division and participated in all major Canadian battles of the war, and set the record for highest number of individual bravery awards for a single battle
2
A new cast of characters take on the continued battle between good and evil. Ginga, our hero, and his group of loyal friends take on a dangerous group called the Dark Nebula. Dark Nebula’s mission is to take over the world and unleash their evil upon it; but before they can do so, they must destroy Ginga as he is the only person that’s strong enough to stand in their way. The plot thickens as friends become enemies and enemies become allies. Everything starts and ends with Ginga as he struggles to find the strength to defend his world and the honor of Beyblade.
-5
Sandy, a geologist, finds herself stuck on a field trip to the Pilbara desert with a Japanese man she finds inscrutable, annoying and decidedly arrogant. Hiromitsu's view of her is not much better. Things go from bad to worse when they become stranded in one of the most remote regions on Earth.
-5
A deadly creature terrorizes a team of researchers at an isolated Antarctic laboratory.
-2
Ex Boxer Tom is on the ropes, when a chance encounter at the gym leads to the offer of work as a doorman at a run down nightclub. The volatile head doorman Paul, is a battle hardened veteran from the old school. Recognising Tom for the fighter that he once was, Paul takes him under his wing, and guides him through the ins and outs of life as a club land "peacekeeper."
0
Lt. Dave Robicheaux, a detective in New Iberia, Louisiana, is trying to link the murder of a local hooker to New Orleans mobster Julie (Baby Feet) Balboni, who is co-producer of a Civil War film. At the same time, after Elrod Sykes, the star of the film, reports finding another corpse in the Atchafalaya Swamp near the movie set, Robicheaux starts another investigation, believing the corpse to be the remains of a black man who he saw being murdered 35 years before.
-2
An eccentric millionaire becomes obsessed with the idea of constructing a new Noah's Ark. He hires a hunter to kidnap untoward numbers of animals to make this happen. The group of animals amid their valiant attempt to escape from the hunter's clutches, foil his nefarious plans, and free their captured friends.
0
Based on a true story, a group of boys from Monterrey, Mexico who become the first non-U.S. team to win the Little League World Series.
1
From Paris to Venice to Broadway to Hollywood, the lives of Cole Porter and his wife, Linda were never less than glamorous and wildly unconventional. And though Cole's thirst for life strained their marriage, Linda never stopped being his muse, inspiring some of the greatest sons of the twentieth century.
0
When his only son dies in an accident, Balraaj urges his depressed daughter-in-law to marry a man who has long loved her in silence.
0
Drama-documentary recounting the events of the 1st July 1916 and the Battle of the Somme on the Western Front during the First World War. Told through the letters and journals of soldiers who were there.
0
Although living a comfortable life in Salon-de-Provence, a charming town in the South of France, Julie has been feeling depressed for a while. To please her, Philippe Abrams, a post office administrator, her husband, tries to obtain a transfer to a seaside town, on the French Riviera, at any cost. The trouble is that he is caught red-handed while trying to scam an inspector. Philippe is immediately banished to the distant unheard of town of Bergues, in the Far North of France...
-1
A young drug dealer watches as his high-rolling life is dismantled in the wake of his cousin's murder, which sees his best friend arrested for the crime.
-1
Desmond Doyle is devastated when his wife abandons their family on the day after Christmas. His unemployment, and the fact that there is no woman in the house to care for the children—Evelyn, Dermot and Maurice—make it clear to the authorities this is an untenable situation. The Catholic Church and the Irish courts decide to put the Doyle children into Church-run orphanages.
-1
One cold winter's day, Jacob and his sister Marie are abandoned in a wood by their out of work father. In his jacket Jacob finds a letter from their mother urging them to go to her brother in Spain. Once in Spain, it turns out that their uncle is dead. Marie meets Diego, a wealthy charming Spanish surgeon, and falls in love with him. Diego lives with his sick, domineering sister, Teresa. To Jacob's astonishment, Marie wants to marry Diego. Even after the wedding has taken place, jealous Jacob tries to get his sister away from Diego. When this doesn't succeed, Jacob starts to provoke his brother-in-law. It soon transpires that no one will go unpunished for this.
-1
When ladies' man David Mitchell (Paul Campbell) gives his lonely grandfather, Joe (Andy Griffith), some pointers on dating, Joe becomes a big hit with the women in his retirement community. But David strikes out with his own tricks when he tries to woo a girl named Julie (Marla Sokoloff). Now it's up to Joe to teach his grandson how to win at love without playing games. Doris Roberts and Liz Sheridan co-star in this award-winning comedy.
0
From director Wolf Wolff comes another zombie movie whose epidemic derives from a virus which turns humans into hideously infected cannibals with superhuman power. In a country town of Landsberg is where the movie is set and it primarily focuses on a trio of friends, medical students who find themselves in a whole heap of trouble. Robert is returning home to settle his genius scientist relative's estate once he dies. Eugene and Patrick accompany Robert to Landsberg where they meet up with two girls, Robert's former flame, Marlene, and her pal Vanessa. The pandemic is understood once Eugene discovers a lab behind a wine cellar door and Robert listens to the recorded audio comments of his grandfather's experiments on corpses and animals hoping to find out what causes the virus and how it spreads.
-7
Forget the Kings -- these are the "Kims" of comedy! Four of the funniest Asian comedians riff on a variety of pop culture topics, from Christmas to Korea and everything in between. Featured jokesters include Bobby Lee ("Mad TV"), Kevin Shea ("Jimmy Kimmel Live"), Steve Byrne ("Chappelle's Show") and Dr. Ken Jeong (Comedy Central's "Comic Groove"), a unique comic talent known as the funniest physician in America.
1
Julía and Samuel move to an isolated estate on the outskirts of Madrid with their children. It seems to be the perfect place but very soon they find out that the idyllic estate holds something else.
1
Bumbling high school geek Virgil Heitmeyer has yet to lose his virginity. A golden opportunity for finally getting deflowered arises after Virgil manages to get closer to the beautiful and popular Kellie Guthrie. Will Virgil's date with Kellie go smoothly? Or is Virgil going to blow his big chance to score with the girl of his dreams?
2
True story of Kent Stock, who in the early '90s gives up a job and ditches his wedding plans to take over as head coach of the Norway High School baseball team. Kent must win over his players and convince them and himself that he can fill their former coach's shoes and that they can go out winners. In the summer of 1991 Norway High's baseball tradition ended on a triumphant but sombre note.
3
Based on the true story of a black girl who was born to two white Afrikaner parents in South Africa during the apartheid era.
0
A fictionalised exploration of Beethoven's life in his final days working on his Ninth Symphony. It is 1824. Beethoven is racing to finish his new symphony. However, it has been years since his last success and he is plagued by deafness, loneliness and personal trauma. A copyist is urgently needed to help the composer. A fictional character is introduced in the form of a young conservatory student and aspiring composer named Anna Holtz. The mercurial Beethoven is skeptical that a woman might become involved in his masterpiece but slowly comes to trust in Anna's assistance and in the end becomes quite fond of her. By the time the piece is performed, her presence in his life is an absolute necessity. Her deep understanding of his work is such that she even corrects mistakes he has made, while her passionate personality opens a door into his private world.
0
Paul Hogan plays Charlie McFarland and Shane Jacobson plays his estranged son, Boots. After a family tragedy Charlie and Boots try and put their differences aside and head off on the road trip of a lifetime - from regional Victoria to the Cape York Peninsula - they overcome many challenges to reach their dream - to fish off the northern most tip of Australia.
-2
A socially shunned columnist finds his romantic match online, but messaging under the wrong account causes his sleazy roommate’s picture to be forwarded, creating an identity mix-up.
-2
A life-sized nativity leads a man to learn about his past and lost family.
0
A naïve young girl desperate to fit in with her new boyfriend's tightly knit crew learns that membership may be deadly. Upon arriving at a party with her new boyfriend, Shawn, desperate-to-fit-in newcomer Debbie learns that the friends have formed a mysterious brotherhood nicknamed "The Murder Club." As Debbie accepts her invitation to join the mysterious club, a murderer who seems to take the group's name to heart begins killing off members one by one.
-7
The story of one person's triumph over adversity: cameras followed the comedian on a very stressful comeback tour and caught the story behind some of her best loved material en route. Prior to her Sexie tour in 2003 and under extreme pressure to write, she delved into her own life for inspiration. So began an accidental voyage into her past that paralleled her world tour and culminated in a moment of revelation about the source of her relentless drive. Film contains exclusive never-before-seen footage including the famous 'wolves' material, Izzard's first student sketches and unicycle-riding as a street performer in Covent Garden. Hilarious and moving by turns, an inspiring tale of how tragedy can be turned to laughter.
3
Astérix and Obélix have to win the Olympic Games in order to help their friend Alafolix marry Princess Irina. Brutus uses every trick in the book to have his own team win the game, and get rid of his father Julius Caesar in the process.
1
Documentary about the mercenaries and contractors working in modern wars.
1
In 1942, when computers were human and women were underestimated, a group of female mathematicians helped win a war and usher in the modern computer age. Sixty-five years later their story has finally been told.
3
A lonely 40-ish man, likely to remain a bachelor, has a chance to find the love of his life when he falls for a vivacious young woman.
0
In The Burial Society, Sheldon Kasner, an unlikely criminal who works as a bank loan manager, infiltrates the mysterious world of the Chevrah Kadisha (the Jewish society that prepares bodies for burial according to ancient ritual) in order to steal a body and fake his own death after mobsters come after him looking for two million dollars that he is accused of having stolen. Having sought and found refuge within this ancient religious society, Sheldon finds himself captivated by this unusual and powerful world and the three old men who run it.
-7
Sex and love. Some seek it, some need it, some spurn it and some pay for it, but we're all involved in it. Set on one afternoon on Hampstead Heath in north-west  London, the film investigates the minutiae of seven couples. What makes us tick?
0
Young spy Harriet Welsch crosses paths with popular student Marion Hawthorne as the two girls vie to become the official blogger of their high school class.
1
Shruti and Bittoo decide to start a wedding planning company together after they graduate from university, but romance gets in the way of business.
0
Not all stand-up comedy is spot-cleaned and pre-packaged for the masses. Like the legends who were born out of smokey, booze-soaked nightclubs of decades past, Doug Stanhope spews his own brand of moral outrage in an unmatched style that borders on self-destruction. Nothing is sacred, no subject off-limits and most importantly nothing is contrived. From critically acclaimed appearances at the Ed
0
'THE PERFECT STRANGER' tells the story of Nikki, a troubled attorney who one day receives a mysterious dinner invitation from a man claiming to be Jesus of Nazareth. Throughout their evening of conversation, arguments and spirited debate, Nikki learns things she never knew about life, the universe, and most importantly, herself.
-1
Akeelah is a precocious 11-year-old girl from south Los Angeles with a gift for words. Despite her mother's objections, Akeelah enters various spelling contests, for which she is tutored by the forthright Dr. Larabee, her principal Mr. Welch, and the proud residents of her neighborhood. Akeelah's aptitude earns her an opportunity to compete for a spot in the Scripps National Spelling Bee.
0
Busytown Mysteries, also known as Hurray for Huckle!, is a Canadian animated television series created by Cookie Jar Entertainment. Currently the series airs in Canada as part of the Kids' CBC block on the Tiny Pop channel and in the United States as part of the Cookie Jar TV block on CBS. Both season one and season two are available for viewing through Netflix streaming on demand. It takes place in Richard Scarry's Busytown and teaches the scientific method through stories in which Huckle Cat solve mysteries by examining evidence.

Season one was directed by Ken Cunningham and produced by Christine Davis. Animation for season one was produced by Heli Digital inc. Post production was handled by Fearless films and Supersonics productions inc. Season one was the winner of the 2009 CFTPA award for best children's program, and nominated for the 2009 Pulcinella award for best preschool series at Italy’s prestigious "Cartoons on the Bay".

Season two was directed by Larry Jacobs with post directing by Ken Cunningham and produced by Genna Du Plessis, and Audrey Velichka.
6
A contestant must choose from 26 sealed briefcases containing a marker for various amounts of cash from one penny to $1 million. The player then eliminates the remaining 25 cases one by one. The chosen ones are opened and the amount of money inside revealed. After several cases are opened, the player is tempted by the Banker to accept an offer of cash in exchange for not continuing the game and possibly winning a larger sum of money.
1
The film follows Victor, a Lower East Side teenager, as he deals with his eccentric family, including his strict grandmother, his bratty sister, and a younger brother who completely idolizes him. Along the way he tries to win the affections of Judy, who is very careful and calculating when it comes to how she deals with men.
0
The Invisibles is a British 2008 comedy drama series created and written by William Ivory for the BBC. It was produced by Company Pictures, shot in the Republic of Ireland and Northern Ireland.
0
Chatham, Ontario, 1998. Eighteen-year-old Jennifer Jenkins is brutally shot to death by multiple rifle rounds in her family home. The main suspect: her brother, Mason Jenkins, who fled the scene of the crime.
-4
At the age of 11, Li was plucked from a poor Chinese village by Madame Mao's cultural delegates and taken to Beijing to study ballet. In 1979, during a cultural exchange to Texas, he fell in love with an American woman. Two years later, he managed to defect and went on to perform as a principal dancer for the Houston Ballet and as a principal artist with the Australian Ballet.
-2
A Mexican-American master chef and father to three daughters has lost his taste for food but not for life.
0
In a once thriving Arizona mining town, a woman starts renovating an abandoned brothel and meets the ghosts who still haunt it.
0
A mute Russian girl infiltrates Toronto's underground sex trade to avenge the death of her sister.
-2
Byron revolutionized English poetry and died a hero. He became famous overnight when the poetic record of his adventures abroad was received with rapture. This rich historical drama explores the true identity of the wild poetic genius who broke every taboo in the book. Byron's affairs and his unconventionality, however, were always destined to bring him down.
4
Fed up with her relationship with a married man, a young woman decides to meet his wife for coffee.
0
In Seattle, detective Quentin Conners is unfairly suspended and his partner Jason York leaves the police force after a tragic shooting on Pearl Street Bridge, when the hostage and the criminal die. During a bank heist with a hostage situation, Conners is assigned in charge of the operation with the rookie Shane Dekker as his partner. The thieves, lead by Lorenz, apparently do not steal a penny from the bank. While chasing the gangsters, the police team disclose that they planted a virus in the system, stealing one billion dollars from the different accounts, using the principle of the Chaos Theory. Further, they find that Lorenz is killing his accomplices.
-11
When the prehistoric warm-water beast the Crocosaurus crosses paths with that cold-water monster the Mega Shark, all hell breaks loose in the oceans as the world's top scientists explore every option to halt the aquatic frenzy. Swallowing everything in their paths -- including a submarine or two -- Croc and Mega lead an explorer and an oceanographer on a wild chase. Eventually, the desperate men turn to a volcano for aid.
-6
The South African multi-award winning film about a young South African boy from the ghetto named Tsotsi, meaning Gangster. Tsotsi, who left home as a child to get away from helpless parents, finds a baby in the back seat of a car that he has just stolen. He decides that it his responsibility to take care of the baby and in the process learns that maybe the gangster life isn’t the best way.
-3
When a broken hearted boy loses the treasured wooden nativity set that links him to his dead father, his worried mother persuades a lonely ill-tempered woodcarver to create a replacement, and to allow her son to watch him work on it.
-5
When Aryong, the daughter of a triad boss from Hong Kong is accused of killing the boss of a competing triad, she goes into hiding in Korea. Upon arriving, she is guided by a nimble but loyal Gi-chul and his motley crew, who are assigned to protect her until her return.
1
MOW about the life of Lucille Ball, focusing on the loving yet tumultuous relationship with Desi Arnaz.
0
The film, as its name implies, centres on Gurneal "Neal" Ahluwalia and Nikkita "Nikki" Bakshi (Uday Chopra and Tanisha), two Canadians of Indian descent, born and raised in British Columbia. Before getting married Neal wants to spend one month on vacation in total freedom by meeting women, going to clubs...
1
Old and bitter, Alvin just wants some peace and quiet in his last days. His wish, however, is not granted when a young, vibrant and ironically full of life Kevin becomes Alvin's hospice roommate. Through this "odd couple" relationship, Alvin learns that its not the minutes in our life, its the moments in your life that matter.
0
It is the story of Jiri and Jan, two Czech soldiers, battling alongside the allied forces against the Germans, during World War II in Tobruk, Libya. Jiri Pospichal, eighteen years old, signs up as a volunteer in the Czechoslovak army. His naive ideas about heroism are rawly confronted with the hell of the African desert, complicated relationships in his unit and the ubiquitous threat of death.
-6
Town Hall, New York City, 26 June 2000. An evening with Eddie Izzard in which she moves back and forth in time, with religion as the loose but constant theme.
-1
A thriller film based on a real-life mass murder that took place in 1966. Richard Franklin Speck was a mass murderer who systematically tortured, raped and murdered eight student nurses from South Chicago Community Hospital in 1966.
-4
An amnesiac might be a key figure in Detective Mackenzie Stone's search for his own wife, who disappeared five years ago.
0
When a visiting researcher tries desperately to escape, after mistakenly captured by police for an alleged theft in a temple, bizarre things start happening.
-3
A website offers people to have their suicides filmed.
-1
WordGirl is an American children’s animated television series for children aged 9 –12, produced by the Soup2Nuts animation unit of Scholastic Entertainment for PBS Kids. The show began as a series of shorts that premiered on PBS Kids Go! on November 10, 2006, usually shown at the end of Maya & Miguel; the segment was then spun off into a new thirty-minute episodic series that premiered on September 3, 2007 on most Public Broadcasting Service member stations. This animated show is aimed at children six to twelve years old, but viewers older than this demographic have been reported as well. It is designed to teach about the expansive English language and its vocabulary. All four seasons each have twenty-six episodes. The show is also seen on some educational networks in Canada, including Knowledge in British Columbia and TVOntario, as well as Discovery Kids in Latin America. The program is also syndicated internationally in places such as Australia and Italy. The Spanish version is called "Chica Supersabia" and it is translated and dubbed in Caracas, Venezuela, and the Brazilian version is called "Garota Supersábia". There is a Catalan version called "La Súper Mots" and a Portuguese version called "Super Sabina". The show has received six Daytime Emmy nominations, winning three for "Outstanding Writing in Animation" in 2008, 2012, and 2013.
6
Jacob Two-Two is a Canadian animated TV series based on a trilogy of books written by Mordecai Richler that first aired on Canadian children's channel YTV and aired on the French Canadian VRAK.TV as Jacob Jacob, in Spanish on Telemundo as Jacobo Dos Dos and in Portuguese on Canal Panda from Portugal as Jacob Dois Dois It also aired on ZigZap in the Poland and on Canal Futura from Brazil as 'Jacó Dois Dois'. It was produced by Nelvana; before being put on hiatus in 2005, it has 61 episodes. In the United States, the show aired on qubo, a 24 hour children's television channel in 2006. It also aired on Jetix UK from April 14, 2007 and on CITV in the UK from Spring 2006. The series is set in the Canadian city of Montreal and follows Jacob Two-Two and his friends on their wild adventures, most of which are one-shots that are resolved in a single episode.
-1
Set at the end of the 1960s, as Swaziland is about to receive independence from United Kingdom, the film follows the young Ralph Compton, at 12, through his parents' traumatic separation, till he's 14.
-1
During a long, hot summer in seventies London, young neighbors Holly and Marina make a childhood pact to be friends forever. For Marina, troubled, fiercely independent, determined to try everything, Holly stays the only constant in a life of divorcing parents, experimental drugs and fashionable self-destruction. But for Holly, a friendship that has never been equal gradually starts to feel like a trap.
1
A magician with a mysterious secret lives alone with his jaguar, Shadow, in the Spooky House, an old mansion rigged with magic tricks and hidden chambers.
-2
Get Thrashed traces the rise, fall and impact of thrash metal; from its early years, through its influence on grunge, nu metal and today's heavy metal scene. It is the story of the heaviest, hardest music of the 80s and early 90s as told by the bands who lived it, the fans and bands that grew up on it and by the artists that carry the "thrash metal" flag today.
-3
"My Normal" is the story of Natalie, a young lesbian from the Lower East Side, who's struggling to find a balance between her dreams of becoming a film maker and her lifestyle as a dominatrix. Her exotic looks and unconventional techniques make her one of the most desirable mistresses in the NYC underground. After befriending her weed dealer and igniting a steamy love affair with her new girl, Natalie gets an internship on a real movie set. But if everything she ever wanted is becoming a reality, why is her life falling apart? When it seems that all is lost, Natalie realizes that the only way to turn her dreams into reality is to use her unique talents as a dominatrix to get exactly what she wants.
-2
Beautiful, funny, passionate, and calculating, Becky is the orphaned daughter of a starving English artist and a French chorus girl. She yearns for a more glamorous life than her birthright promises and resolves to conquer English society by any means possible. A mere ascension into the heights of society is simply not enough. So Becky finds a patron in the powerful Marquess of Steyne whose whims enable Becky to realise her dreams. But is the ultimate cost too high for her?
5
Sleepy New Haven California is a small town with a big problem. A sixty foot slithering horror has arrived and shattered the town's tranquillity on it's path of death and destruction... Growing violent and more savage with each attack the gigantic creature soon becomes an unstoppable feeding machine raging beyond control of it's creator, leaving only the stripped bones of it's victims in it's wake.
-7
A terminally ill man falls in love with a woman who has a secret that threatens their time spent together.
0
Dr. Burke Ryan is a successful self-help author and motivational speaker with a secret. While he helps thousands of people cope with tragedy and personal loss, he secretly is unable to overcome the death of his late wife. It's not until Burke meets a fiercely independent florist named Eloise that he is forced to face his past and overcome his demons.
-4
Eyal, an Israeli Mossad agent, is given the mission to track down and kill the very old Alfred Himmelman, an ex-Nazi officer, who might still be alive. Pretending to be a tourist guide, he befriends his grandson Axel, in Israel to visit his sister Pia. The two men set out on a tour of the country, during which Axel challenges Eyal's values.
-1
Being Ian is a Canadian animated series produced by Studio B Productions, Corus Entertainment and Nelvana, focusing on 12-year-old Ian Kelley, who aspires to become a filmmaker. It originally aired from January 1, 2005 to April 22, 2007.

The series is created by and based on the early life of actor/writer Ian James Corlett. It is set in the city of Burnaby, British Columbia. Produced in 2004, it debuted January 4, 2005 on YTV. The series aired in the United States on Qubo from September 19, 2009 - October 24, 2009.
0
ToddWorld is an animated children's TV programme about the adventures of a boy named Todd and his friends.

ToddWorld features the artistic style of Todd Parr's children's books and was created by Todd Parr and writer Gerry Renert of SupperTime Entertainmenet. The show is produced by Mike Young Productions, an award-winning animation studio based in Woodland Hills, California and Merthyr Mawr, Wales. The show is notable for its bold lines and bright colors. Each ten-minute episode conveys a message about tolerance, diversity and acceptance. It has won many awards and been nominated for many more.
3
A college class tackles a bizarre project - splitting up a mannequin, they each decorate a piece. The net result is an exquisite corpse they name 'Jigsaw'. After a night of drunken confessions, the group burns the lifeless body but their darkest secrets come back to haunt them when their brainchild rises from the ashes, targeting each of the creators for a brutal death that is in keeping with their own fears!
-9
Two women find themselves trapped between life and death by a dark and mysterious machine. As they search for an escape, they must battle the Lures, a race of creatures determined to imprison them until nightfall, when the vicious Night Things come out to feed upon those who stray from the light. Soon they discover that their only escape is the evil machine itself. But using it may require the ultimate sacrifice...
-8
Kid vs. Kat is a Canadian-American animated television series developed and produced at Studio B Productions. The show was created and co-directed by Rob Boutilier. The series is distributed by Studio B Productions. The feature revolves around a 10-year-old boy's constant battle with his sister's Sphinx cat which, in reality, is a cybernetic alien.

The show premiered on YTV in Canada on October 25, 2008, aired on Disney XD in the United States on February 21, 2009, and then ended on June 4, 2011. It ran for 2 seasons, spanning 52 episodes.
0
Jacques Mesrine, a loyal son and dedicated soldier, is back home and living with his parents after serving in the Algerian War. Soon he is seduced by the neon glamour of sixties Paris and the easy money it presents. Mentored by Guido, Mesrine turns his back on middle class law-abiding and soon moves swiftly up the criminal ladder.
3
Painter Francisco Goya becomes involved with the Spanish Inquisition after his muse, Inés, is arrested by the church for heresy. Her family turns to him, hoping that his connection with fanatical Inquisitor Lorenzo, whom he is painting, can secure her release.
-1
3 college cheerleaders use their martial arts know-how to save their Sensei from mafia kidnappers, but must keep their extra curricular activities a secret in order to make it into an Ivy League school.
0
A cynical anti-American Hollywood filmmaker sets out on a crusade to abolish the 4th of July holiday. He is visited by three spirits who take him on a hilarious journey in an attempt to show him the true meaning of America.
-2
Belka, the amazing flying dog is unexpectedly hurdled into the streets of Moscow when the rocket she is in malfunctions during one of her circus routines. Fortunately the crash leads her to meet a streetwise dog named Strelka and her irredeemable rat friend Venya. Together with other amusing friends found along the way, the three find themselves in a space program-training center where they get sent away in a rocket, leaving planet Earth...
1
Inspired by the true story of one of the most gruesome killers in American history. Now, years after inspiring "Psycho's" Norman Bates, "The Silence Of The Lambs'" Buffalo Bill and "The Texas Chainsaw Massacre's" Leatherface, the story of real life serial killer Ed Gein is told once again. Nicknamed "The Butcher Of Plainfield," Gein was responsible for a rash of gory murders that sent shock waves through his rural Wisconsin town, and across America, in the late 1950's. Prepare to enter the evil mind and twisted world of "The Butcher Of Plainfield."
-10
A decade after the original massacre, another man obsessed over his machine ends with several murders and possession.
-2
With a first-person look at the notorious Crips and Bloods, this film examines the conditions that have lead to decades of devastating gang violence among young African Americans growing up in South Los Angeles.
-1
When a Marine Colonel orders his men to massacre a village they were sent to rescue some hostages but when they found them dead they decide to get some payback. Upon returning to the States the Colonel would be court-martialed and made a plea agreement wherein all the blame is on him and his men would be discharged and receive any benefits they're entitled. But the General presiding over his trial chooses not to agree to the agreement and throws the book at the Colonel and has his men dishonorably discharged thus eliminating all their benefits.
-4
Jonestown: Paradise Lost is a documentary on the final days of Jonestown, the Peoples Temple, and Jim Jones. From eyewitness and survivor accounts, it recreates the last week before the mass murder-suicide on November 18, 1978.
1
Wes Merritt and his daughter Natalie (14) get more than they bargained for when they buy an old house that was formerly inhabited by the nice old Mrs. Ashboro and her pet cat, Margaret. When strange things start happening in the house, all fingers point to the presence of Margaret, who died the same day as Mrs. Ashboro. But why has she come back to haunt them?
-2
Comedic pianist Tim Minchin performs a host of his catchy songs that touch on everything from the Middle East to the healing power of canvas bags.
1
Di Renjie is Tang dynasty magistrate and statesman, who investigates mysterious murders.
-2
The show is a spin off from the Shaun the Sheep animation which itself is a spin off from the Aardman series Wallace & Gromit, which introduced the character of Shaun.
0
Detective Sergeant Ma Jun, known for dispensing his own brand of justice during arrests, teams up with an undercover cop, Wilson, to try and bring down three merciless Vietnamese brothers running a smuggling ring in the months before mainland China's takeover of Hong Kong. Jun pursues the gang tirelessly, sometimes ignoring police protocols. A showdown is inevitable!
-3
Beyond the hysteria of Reefer Madness and past the deceptive lessons of "Just Say No", HIGH exposes the true story of America's war on drugs. Using government statistics, expert interviews and a large dose of humor, HIGH takes a fresh look at this hot but relevant topic.
0
Annabelle is the wise-beyond-her-years newcomer to an exclusive Catholic girls school. Having been expelled from her first two schools she's bound to stir some trouble. Sparks fly though when sexual chemistry appears between her and the Head of her dorm and English teacher, Simone Bradley. Annabelle pursues her relentlessly and until the end the older woman manages to avoid the law.
-2
Mutant snakes survived a terrorist attack on a government laboratory, and they now threaten the town of Santa Mira Springs, California. Seismic activity has brought snakes to the surface, where residents are being bitten. Victims can transmit the virus to healthy persons. The military puts the town under quarantine. Local physicians try to control the epidemic, while the military is primarily concerned with keeping the virus a secret.
-5
Lola, a striking teenaged girl who is on the cusp of adulthood, who longs to rush into the adult world of independence, freedom and sexual exploits, but is tenaciously held back by her mother.
2
When an Italian man comes out of the closet, it affects both his life and his crazy family.
-1
Frank Keane, a baker by trade, has been consumed by grief over his wife's untimely death. But everything changes when he pulls his bread truck over on a rural highway to help a dying stranger entangled in a car wreck, who was on his way to a fateful reunion.
-7
Music fans know Maynard James Keenan as the frontman of such bands as Tool, A Perfect Circle, and Puscifer, but in this documentary filmmakers Christopher Pomerenke and Ryan Page offer a closer look at one of the prolific rocker's more unexpected hobbies -- winemaking. Along with his business partner Eric Glomski, Keenan has managed to transform an arid stretch of Arizona desert into a lush vineyard that yields some particularly tasty grapes. Through unguarded conversations with Keenan and Glomski, Pomerenke and Page discover just what got the pair interested in winemaking, and why they chose such a hostile natural environment to serve as the site of their winery.
0
When the singer of a popular rock band disappears under mysterious circumstances, a contest to find a replacement soon turns from dream-come-true to waking nightmare for the young singer who hopes to take the job.
-1
A girl loses her parents and husband and is left driving a limo trying to get by raising her young son. An interesting but strange rich man hires her limo on Christmas eve and has her drive him to various ice rinks where he gives out $100 bills to the people there. The news media catches on and starts following him.
0
A clumsy high-school girl - Oh Ha-ni - is at the bottom of her class, and she has had a crush on a popular genius, Baek Seung-Jo, ever since she first laid eyes on him.
0
May 1944, a group of French servicewomen and resistance fighters are enlisted into the British Special Operations Executive commando group under the command of Louise Desfontaines and her brother Pierre. Their mission, to rescue a British army geologist caught reconnoitering the beaches at Normandy.
-1
Jai and Ali return, this time on the trail of an international thief who steals priceless artifacts and has chosen Mumbai as his next target.
0
A gang of bikers headed by the cool-headed and arrogant Kabir is on a robbing spree in Mumbai. They rob establishments and then zip away on their superbikes. ACP Jai Dixit is the case in-charge and he recruits a bumbling bike mechanic and racer named Ali to chase the gang on a bike and help Jai nab them. Kabir accepts the challenge, and pulls off another robbery amidst a function. This causes Jai and Ali to call it off. Jai resigns from the police force and Ali goes back to his daily job. Meanwhile Kabir has lost one of his team members and recruits Ali for their final job in Goa. The action shifts from the congested Mumbai traffic to the sunny Goa for the final showdown between cops and robbers.
-4
Clifford's Puppy Days is a short-lived animated children's television series that originally aired on PBS Kids from 15 September 2003 to 13 October 2004. A spin-off of the original Clifford the Big Red Dog, it is set before the original series, and features the adventures of Clifford during his puppy days before he grew.

The series was cancelled in 2004 following low ratings. Reruns aired regularly following the cancellation, though they were halted in 2006. Since then, occasional reruns continue to air.

In the UK the show aired on CBeebies.
-1
Being a failure as a teacher and a familyman, Shinichi tries to escape everyday live by dressing up as "Zebraman", the superhero. Although the TV series whas canceled after only 6 episodes, this cannot stop him from acting out his escape fantasy in a self made zebra-suit. He get's more then he could ever wish for, when his black-and-white dressed alter-ego seems to be the only thing to stand between absolute (green) evil and a happy ending.
-1
A child escapes from Poland during World War II and first heads to Greece before coming of age in Canada.
0
The Mansouri family opens up a new restaurant after the fall of the Taliban in Kabul, Afghanistan only to be subsequently targeted by factional Taliban elements.
-1
A young woman tries to cover up a deadly hit and run accident, only to have the supposedly dead victim come back to terrorize her.
-3
The evolution of the depiction of Native Americans in film, from the silent era until today, featuring clips from hundreds of movies and candid interviews with famous directors, writers and actors, Native and non-Native: how their image on the screen transforms the way to understand their history and culture.
2
Hope finds herself leaving the comfort of her suburban life for New York City in order to settle the affairs of her best friend Rachel who has just been murdered. Little does she know that she is being sucked into a vortex of intrigue, where nothing is what it appears to be - including what happened to Rachel - a vortex that ultimately becomes a fight for Hope's life.
2
A young governess, Ann, is sent to a country house to take care of two orphans, Miles and Flora. Soon after her arrival, Miles is expelled from boarding school. Although charmed by her young charge, she secretly fears there are ominous reasons behind his expulsion. With Miles back at home, the governess starts noticing ethereal figures roaming the estate's grounds. Desperate to learn more about these sinister sightings she discovers that the suspicious circumstances surrounding the death of her predecessor hold grim implications for herself. As she becomes increasingly fearful that malevolent forces are stalking the children the governess is determined to save them, risking herself and her sanity in the process.
-11
A film about the controversial world of exotic animal ownership within the suburbs of the United States. "The Elephant in the Living Room" offers an unprecedented glimpse into the fascinating subculture of trading and raising the most deadly and exotic animals in the world as common household pets.
-1
Max Solomon faces the awful truth that he will never be a writer. So, in a desperate attempt to find his true calling, he turns to crime. In this inventive comedy, three friends have their lives turned upside down when one of them realizes that larceny might be his best skill.
0
Is there any possible downside to accepting an invitation from Vincent Price to spend an evening in a creepy mansion that was built on something called “Haunted Hill?” If so, Mike, Kevin and Bill couldn’t find it! In fact they were so eager to join Mr. Price and his terrifying moustache that they riffed the film live, on-stage, and now you can reap the rewards from the safety of home with this live show DVD!  Yes, horror classic House on Haunted Hill provides a mesmerizing walk down “people actually used to find this SCARY?!?” lane. Join the RiffTrax guys as they bring their special brand of rapid-fire comedic commentary to every skeleton-hanging-from-visible-wires, clumsy sexual overtone, and a stunningly inept test pilot whose “heroics” typically lead him to bloody his own nose after locking himself in a broom closet!
1
Arvind Chauhan  and Lakhsmi are in love with each other. Lakhsmi's dad, a senior police inspector, hates Arvind, and so Arvind and Lakshmi decide to elope
0
Britain's Best Drives is a six-part 2009 British television series in which Richard Wilson travels across the UK in reviewing the best driving roads from a motoring guide of the 1950s. In each episode he drives a different car of the period. There was also a seventh episode where Wilson learns how to drive a manual transmission car again.
2
Liz tells her old friend Barbara that she believes her ex-husband is stalking her. She plans to leave town for awhile and stay at a cabin in the mountains. Barbara invites herself along and when it seems that Dale has followed them to the cabin, Barbara discovers she doesn't know Liz as well as she thought.
1
In The Beckoning Silence, Joe Simpson, whose amazing battle for survival featured in the multi-award winning "Touching the Void", travels to the treacherous North Face of the Eiger to tell the story of one of mountaineering's most epic tragedies. As a child, it was this story and that of one of the climbers in particular, that first captured Simpson's imagination and inspired him to take up mountaineering.
2
Filmed in IMAX, a team of explorers led by Pasquale Scaturro and Gordon Brown face seemingly insurmountable challenges as they make their way along all 3,260 miles of the world's longest and deadliest river to become the first in history to complete a full descent of the Blue Nile from source to sea.
0
Only 20 minutes into the pre-sale, Madison Square Garden, New York announces: Sold out!  The concert film celebrates the band’s legendary show in New York’s Madison Square Garden – Rammstein’s return to the US after a ten-year absence. In HD and 5.1 surround sound.
0
Rick Stein takes an epic culinary journey by sea, down rivers and overland to explore the Far East's diverse food cultures.
0
Ong Bak 3 picks up where Ong Bak 2 had left off. Tien is captured and almost beaten to death before he is saved and brought back to the Kana Khone villagers. There he is taught meditation and how to deal with his Karma, but very soon his arch rival returns challenging Tien for a final duel.
-3
A raw urban drama about two friends raised on the dangerous streets of Kingston, Jamaica. Biggs and Wayne take on the "Shotta" way of life to survive. As young boys, they begin a life of crime, eventually moving to the US where they begin a ruthless climb from the bottom. They remain bound to each other by their shottas loyalty as they aggressively take control of the Jamaican underworld.
-2
Commander Qinglong is the loyal leader of the assassin group that serves the emperor. But when his allies plan a rebellion against the ruler, he finds himself in danger.
-1
Mirume is a 19 year old college student who falls in love with Yuri, an almost 40 year old art teacher at his university. Yuri isn't your typical college professor, having a quirky sense of humor and unpredictable personality. When Yuri invites Murume to her studio, she playfully seduces the still naive 19 year old student. Things become more complicated when Mirume discovers that Yuri is married to a much older man....
-1
The blood-soaked tale of a Norse warrior's battle against the great and murderous troll, Grendel. Heads will roll. Out of allegiance to the King Hrothgar, the much respected Lord of the Danes, Beowulf leads a troop of warriors across the sea to rid a village of the marauding monster.
0
Join paleontologist-in-training Dan Henderson as he takes kids on a Jurassic journey to the land where lizards were as long as three school buses and terrifying T-Rex’s ruled.
0
When a young ski team training for the Olympics arrives at the remote and isolated Lost Mountain Ski Resort to focus on training, they're thrilled to find a retired Olympic skier is there to help them train. But their plans are halted when a scientist working at a nearby government lab arrives with the horrifying news that a top secret Government project has produced giant spiders and they have escaped, killing and eating everything in sight.
-2
Dramatizing of the many shocking highs and lows of Argentine soccer hero Diego Maradona, an extraordinary athlete and arguably the greatest player in the history of the sport.
2
One day, on a whim, Marc decides to shave off the moustache he's worn all of his adult life. He waits patiently for his wife's reaction, but neither she nor his friends seem to notice. Stranger still, when he finally tells them, they all insist he never had a moustache. Is Marc going mad? Is he the victim of some elaborate conspiracy? Or has something in the world's order gone terribly awry?
-4
Barricaded in a farmhouse, a woman and a collegian must contend with flesh-eating zombies and a malevolent mortician.
-3
Momosuke is a young man with a dream: to travel Japan and collect one hundred stories. He journeys from place to place, searching for tales of the paranormal and bizarre, hoping to collect tales to publish in his book. However, the calm of Momosuke's life soon is shattered by a chance meeting with three sinister beings: Mataichi the priest, Nagamimi the bird-caller, and the beautiful Ogin. Soon, Momosuke learns that there might be more to his newfound comrades than first meets the eye...
0
New York is a contemporary story of friendship set against the larger than life backdrop of a city often described as the centre of the world. Omar has gone abroad for the first time in his life and soon enough he begins to see and love America through the eyes of his American friends - Sam and Maya. It is the story of these three friends discovering a new world together.
2
This Canadian made comedy/drama, set in Hamilton, Ontario in 1954, is a sweet and - at times - goofy story that becomes increasingly poignant as the minutes tick by.  It's the fictional tale of a wayward 9th grader, Ralph (Adam Butcher), who is secretly living on his own while his widowed, hospitalized mother remains immersed in a coma. Frequently in trouble with Father Fitzpatrick (Gordon Pinsent), the principal of his all-boys, Catholic school, Ralph is considered something of a joke among peers until he decides to pull off a miracle that could save his mother, i.e., winning the Boston Marathon.  Coached by a younger priest and former runner, Father Hibbert (Campbell Scott), whose cynicism has been lifted by the boy's pure hope, Ralph applies himself to his unlikely mission, fending off naysayers and getting help along a very challenging path from sundry allies and friends.
-4
A dramatisation of Christopher Reid's narrative poem that tells the story of an unnamed book editor who, fifteen years after their break-up, is meeting his former love for a nostalgic lunch at Zanzotti's, the Soho restaurant they used to frequent.
0
Trapped in The Twin Towers on September 11th, thousands of ordinary people struggled to make contact with the outside world. Many knew that time was ticking away. These recorded messages and private calls are the most powerful legacy to the families left behind. Often full of love and dignity they depict humanity at its best and most resourceful in the face of evil.
2
Beautiful Carmen Colson and her ironworker husband Wayne are placed in the Federal Witness Protection program after witnessing an "incident". Thinking they are at last safe, they are targeted by an experienced hit man and a psychopathic young upstart killer.
2
Louise, an unfulfilled divorced woman with regrets, gets the chance to relive her past when she meets a young man who bears an uncanny resemblance, in name and appearance, to her high school sweetheart who died many years before.
-2
After he's institutionalized in order to cover for his sister, a young man encounters a doctor who is turning his patients into flesh-eating psychopaths
1
A cop investigates whether the man convicted of murdering his daughter is really guilty.
-1
Fearing that he costs too much to feed, Clifford decides to join a traveling carnival so he can enter a talent contest in hopes of winning a lifetime supply of Tummy Yummies treats. Joined by his friends Cleo and T-Bone, Clifford meets up with Shackleford the High-Flying Ferret and Rodrigo Chihuahua of Steel, as they work together to turn a broken-down act into a record-breaking show.
3
After bandits steal his poker winnings this American legend makes his way to the next town in search of them. Seeking out his revenge during a poker game gone bad Doc West finds himself in the local town jail. When his past is exposed and a battle amongst the town breaks out in gunfire he will have to choose sides, between the outlaws or the law-abiding citizens.
-3
When a gunman killed five Amish children and injured five others in a Nickel Mines, Pennsylvania schoolhouse shooting in October of 2006, the world media attention rapidly turned from the tragic events to the extraordinary forgiveness demonstrated by the Amish community.
-1
Set in Chipping Cheddar, a place similiar to 1920s London, Angelina Ballerina features Angelina Mouseling, a bold little mouse with big dreams - she hopes to become the greatest ballerina in Mouseland.
1
When Fireman Sam performs a super-heroic rescue, he is awarded a special bravery medal and offered a new job in Newtown by visiting Chief Fire Officer Boyce. Meanwhile, a Pontypandy Pioneer Scouts camping trip, results in a forest fire that threatens to engulf Pontypandy, forcing everyone to prepare to evacuate ! Will Fireman Sam leave his beloved town, and will this be the end of Pontypandy ?
2
Separated after 15 years of marriage, Vicki and Jason are set up by their two teenage children to spend a Christmas vacation together on the beach. But their family vacation is further complicated when Vicki's boss and Jason's gorgeous assistant show up. As Jason spends more time with Vicki, it becomes clear that this marriage is far from over, and he decides to propose to her all over again. It will take a lot of luck, plenty of love and a little dose of magic to bring this family back together again.
4
Bangkok, November 2008. Six young holidaymakers from Hong Kong are stranded in Bangkok when the airport is occupied by demonstrators demanding the prime minister's resignation: Rainie and Lok, who are on the verge of breaking up, Ling and her brother Rex, and Ciwi and her boyfriend Hei. Their driver takes them to the old Chung Tai Hotel, run by Chuen, where strange things start happening as soon as they arrive: Rainie sees a female ghost and Ling a disembodied hand. At dinner that night, the three men mysteriously disappear. Under Rainie's leadership, the three girls - helped by the young Man-man and her ghost-seeing dog Little Huang - set out to try and find them in the hotel's underground passages, in between being haunted by the female ghost and a strange monster.
-5
Kevin Burke a young executive for a multinational investment bank, is a rising star in the Rotterdam office. Rewarded for his perceptive eye and mastery of foreign languages, Kevin receives the promotion he has been working for - a coveted spot on the company's internal security team. Trained by the enigmatic Mr. Ficks to protect the firm's employees in volatile, third world markets, Kevin thinks he has a shield for every arrow. And this makes him feel safe, or at least "safer" than he's felt since his father's mysterious death. Karl Jorgensen, the Managing Director of the bank, is Kevin's boss and surrogate father. He has mentored Kevin over the years, which makes his biological son, Karl Jorgensen Junior, visibly jealous. Jorgensen brushes off the "sibling rivalry", but clearly favors Kevin, molding him into a confident, young man. It is this confidence that gives Kevin the courage he needs to propose to the woman he loves...
4
A single mother and her embattled son struggle to subsist in a small Mississippi Delta township. An act of violence thrusts them into the world of an emotionally devastated highway store owner, awakening the fury of a bitter and longstanding conflict.
-6
A coming of age drama about two young brothers whose lives are thrown into turmoil when their mother dies suddenly, leaving them to fend for themselves. While Danny loses himself in music, sex and drugs, his younger brother Jack transforms a life size mannequin into a brand new mum for him to talk to. Jack's obsession leads to both comic misunderstandings and bitter antagonism as the pair battle through grief, anger and denial.
-6
Arrived to the tropical island of Barsarato to spend a short vacation with her eighteen years old son, Dr. Linda Fleming (Melody Thomas Scott), teacher and expert virologist, is providing relief to people affected by a virulent disease caused by an unknown virus transmitted to humans by chickens. Her generous efforts will be wasted by poor local hospitals and the low cooperation of the people who puts blind faith in Joseph (Ralf Moeller), a sort of healer with exceptional charisma and leader of a religious community that preaches faith in God and enhances the remedies of alternative medicine.
2
David and his adventurous group of friends embark upon a caving expedition within the deep and treacherous Shankali Caverns of India. As the group descends deep into the caves, they discover they have trapped themselves within the breeding den of giant black centipedes.
-2
An artist who purges her fears through painting is terrified to discover that her nightmarish creations have taken on a life of their own.
-2
Paula's Best Dishes is a cooking show hosted by Paula Deen on Food Network

On June 21, 2013, the Food Network announced that they would not renew Deen's contract due to controversy surrounding Deen's use of a racial slur and racist jokes in her restaurant, effectively cancelling the series.
-2
To help out a friend, and to enjoy a glamorous and fast-paced life for awhile, a guy assumes the identity of his busy and mysterious friend...and ends up being pursued by murderous drug dealers.
1
When Kelly and her father move to New Orleans after the death of her mother, strange things start happening in their new home. Kelly is convinced that the house is haunted by a ghost who needs her help. Her father does not believe her, so she enlists her friend Cole to help discover the truth.
-2
Julia Kerrbridge is working hard to become a doctor. Suddenly, Julia finds herself the guardian of her young niece, Amanda, after her parents were found murdered.
-1
A man returning to his childhood home for the reading of a will is met with hostility. Do the townsfolk know more about him than his new wife?
-1
Gina Yashere's performance on American TV's Last Comic Standing has led to commitments in the USA. Back in the UK for just a month, here she is on a tour doing all her best bits, new and old.
3
Michael McDonald (MADtv, Austin Powers, Kathy Griffin – My Life on the D-List) returns home to Orange County for his debut stand-up comedy special: MODEL. CITIZEN. In this hilarious, one-hour performance, Michael shares his views on a variety of topics from fame to family and gives the audience a peek at the seemingly normal person behind the whacked out personae he has developed for television (including his famous role as Stuart the baby). Part stand-up comedy, part one man show, this special is for anyone who – like Michael – finds humor in the strange world all around us.
5
The fledgling romance between Nick, a playboy bachelor, and Suzanne, a divorced mother of two, is threatened by a particularly harrowing New Years Eve. When Suzanne's work keeps her in Vancouver for the holiday, Nick offers to bring her kids to the city from Portland, Oregon. The kids, who have never liked any of the men their mom dates, are determined to turn the trip into a nightmare for Nick.
1
A boatload of beloved VeggieTales pals embark on a fun and fresh pirate adventure with their trademark humor and silly songs in The Pirates Who Don't Do Anything - A VeggieTales Movie! Larry the Cucumber, Mr. Lunt and Pa Grape find themselves on the ride of their lives when they are mysteriously whisked back to the time when pirates ruled the high seas.
2
When her newly-built home is razed to the ground by an earthquake, low-achieving, clumsy, and troublesome third-year high school student Kotoko Aihara is forced to share a roof with the school's—and possibly Japan's—smartest student, Naoki Irie. Kotoko is not actually a complete stranger to Irie-kun; unfortunately, a single love letter that she tried to give him in the past has already sealed her fate as far as he is concerned. Throw in some quirky friends and a meddlesome mother, and Kotoko might not even have a snowball's chance in hell of winning the older Irie boy's heart. Yet Kotoko remains optimistic that, because she now lives in his house, her unattainable crush on the genius since the beginning of high school has never been more within reach.
-4
The brains of a Russian taxi driver and a wealthy businessman are brought together in one body by a mad scientist.
0
Objectively, Odette Toulemonde has nothing to be happy about, but is. Balthazar Balsan has everything to be happy about, but isn’t. Odette, awkwardly forty, with a delightful hairdresser son and a daughter bogged down in adolescence, spends her days behind the cosmetic’s counter in a department store and her nights sewing feathers on costumes for Parisian variety shows. She dreams of thanking Balthazar Balsan, her favorite author, to whom – she believes – she owes her optimism. The rich and charming Parisian writer then turns up in her life in an unexpected way.
7
When Tyler Davidson brings his college buddy Chase home for the summer holidays a secret is revealed that threatens to tear his perfect family apart.
1
Director Michael Winnick's chilling tale stars James Marsters as Jack, one of eight captives who awaken in an abandoned asylum not knowing who they are or why they are together. They discover that they've been used in an experiment to erase disturbing memories, but instead, a murderous creature has been unleashed. Reaching out from the shadows, the monster hunts the eight strangers as they race to escape the asylum.
-5
A moving true story about volunteers protecting antelope against poachers in the severe mountains of Tibet.
-1
Melanie is married to Tom, a controlling, cold and self-centered man who happens to be a prison warden. He finds her to be a liability to his career aspirations and secretly plans to have her kidnapped and killed, by Jack, a dangerous inmate.
-4
A reclusive scientific prodigy and three college friends find themselves in the middle of a toxic storm, when an unscrupulous business deal rains terror down on an entire county.
-2
The story is set in 1890s Siam. Siang is a young Muay Thai warrior and rocketry expert who steals back water buffalo taken from poor Isan farmers by unscrupulous cattle raiders. He is searching for a man with a tattoo who killed his parents.
-4
Wars of the future will be fought over water as they are over oil today, as the source of human survival enters the global marketplace and political arena. Corporate giants, private investors, and corrupt governments vie for control of our dwindling supply, prompting protests, lawsuits, and revolutions from citizens fighting for the right to survive.
-1
What started with a routine divorce between Natalie Stein and her husband Tim, will soon take a turn into the unexpected and evolve into scenes of torture, bloodshed and slaughter.
-4
Detective Raymond Pope is a detective of questionable morals, searching for his missing wife. His investigation leads him to the wealthy estate of the enigmatic Elizabeth Kane and her young maid Irina. Under Elizabeth's fascinating looks and aristocratic manners hides a terrifying secret,shared by her companion Irina. As Detective Pope finds himself perversely drawn to the powerful Elizabeth, bodies begin to surface, his inquiries only deepening the mystery surrounding Elizabeth's past. Pope's obsession grows so intense that he completely fails to anticipate Elizabeth's reaction to his intrusion into her dark world, a fatal mistake that might cost him his life and the lives of those close to him.
-4
Police officer Jack Fletcher is injured in a gun battle resulting in the loss of his sight.
-1
A documentary on Jacques Vergès, the controversial lawyer and former Free French Forces guerrilla, exploring how Vergès assisted, from the 1960s onwards, anti-imperialist terrorist cells operating in Africa, Europe, and the Middle East.  Participants interviewed include Algerian nationalists Yacef Saadi, Zohra Drif, Djamila Bouhired and Abderrahmane Benhamida, Khmer Rouge members Nuon Chea and Khieu Samphan, once far-left activists Hans-Joachim Klein and Magdalena Kopp, terrorist Carlos the Jackal, lawyer Isabelle Coutant-Peyre, neo-Nazi Ahmed Huber, Palestinian politician Bassam Abu Sharif, Lebanese politician Karim Pakradouni, political cartoonist Siné, former spy Claude Moniquet, novelist and ghostwriter Lionel Duroy, and investigative journalist Oliver Schröm.
0
An Outback farmer takes in an Afghani woman who has fled from a brothel.
0
An art professor is informed that the husband she thought died ten years before has just been murdered. So she starts to research her husband's secret life in search of the reason he disappeared and who might have killed him.
-2
Adam and Seta fall madly in love after meeting in a Brooklyn laundromat. She suffers from Lupus, he's stuck at home caring for his chronically ill father. Both lie through their teeth to avoid having to reveal they are anything but perfect. Eventually, their deceit unravels and they are faced with a choice: walk away or try to save the relationship. Deciding to give it one last chance, Adam and Seta reveal everything about who they really are despite the fact that they may not love one another once they know the truth.
-3
One of the “100 Greatest Stand-Ups of All Time,” Jim Breuer joined NBC’s Saturday Night Live in 1995. Since then he went on to star in several movies, tour the country with his Heavy Metal Man and Family Man comedy tours. You may remember Jim as the infamous Goat-Boy from SNL, or his stoner persona from the cult hit Half Baked. Now he’s clearing the air with this concert event.
0
A young, ambitious editor finds out she's pregnant just as she lands her big break.
0
Griff McCleary is a cop, now his son shot himself with Griff's gun. A year later both he and his wife are still reeling from it. Griff feeling shut out by his wife Olivia, decides to move out. Now he is investigating what appears to be a murder-suicide. He believes that there was no suicide. His investigation leads him to a girl named Nikki.
0
A young couple embark on a cross-country journey, only to run into trouble at the Texas/Mexico border.
-1
A darkly satiric horror film that takes an acid look at the current state of the news media while a mysterious plague is bringing the dead back to life. A small group of news reporters and their military escort set out to tell the truth about what's happening in the world, despite the government's efforts to take control of the media.
-3
One man must stop the government's ultimate assassin, a Sleepwalker Agent capable of entering people's dreams and killing them from within, only to discover that the killer is the one person he may not be capable of stopping.
-1
Based on the Korean legend, unknown creatures will return and devastate the planet. Reporter Ethan Kendrick is called in to investigate the matter.
-2
A professional bodyguard who failed to protect his Choti, most successful businessman, is fired by his employer's son. The son inherits his fathers company but is then targets by assassins who want to gain control of the estate. He is forced to hide out in the slums where a kind family looks after him and sparks up a relationship with their tomboy daughter.
1
Get ready as Bob the Tomato, Larry the Cucumber and the rest of the Veggies set sail on a whale of an adventure in Big Idea's first full-length, 3-D animated feature film. This is the story of Jonah and the Whale as you've never seen it before - a story where we learn that one of the best gifts you can give - or get - is a second chance.
2
Best friends Ely and Lila share everything together, including their dream of a life beyond the Paris suburb they've lived in since childhood. One night they venture into the capital and meet a pair of wealthy young friends at a night club. Ashamed of their working-class background, and seeing an opportunity to escape, Ely and Lila begin to lie their way into this glamorous new world. Falling deeper into their web of lies, the young women begin to lose sight of themselves as their friendship is pushed to the limit.
-3
On a mission to loosen up, a miser's sets about buying a house in the country for his family.
-1
Jonathan Cold returns, this time he goes Undercover to stop a group of Terrorists before they bomb Los Angeles.
-2
The beautiful world of Gaya is home to a community of creatures, known as the Snurks, who are much smaller than humans, but who have an uncanny resemblance to them. But the Snurks are facing imminent danger. Someone has stolen the magic stone called Dalamite without which this world is doomed. Two Snurks named Boo and Zino embark on a dangerous mission to track down and recover the stone. As they attempt to find the stone, their journey takes them into another world that is both strange and frightening!
-3
A young boy in a peaceful seaside town gets more than he bargained for when he takes home a mysterious egg. When it hatches, out comes a baby turtle that grows into a new version of Gamera. But will it become powerful enough in time to defeat the rampaging monster Zedus?
2
A couple elopes to get married and set up home hoping that just love will do the trick - but that's just the beginning of their story.
0
Dino Fabrizzi is the number one seller of the Maserati dealership in Nice. At 42, he arrives at a turning point in his life, the position of director is openly proposed and his companion for a year, Helen, has the firm intention to marry her. For Dino, life is great, except that this perfect life was built on a lie. Dino is actually called Mourad Ben Saoud. Neither his boss nor Helen and even less his parents are aware of this false identity. In ten days begins Ramadan and Mourad who passes every year will this time assume the promise made to his sick father. Taking part in Ramadan, For Dino - the Italian - it will not be easy.
3
Unlikely friends in a melting pot of confusion. Simon Murray fights for the French Foreign Legion. Pascal Dupont fights for himself. War torn men question honour, hope, morality...because you can desert everything...except yourself.
-2
Belgrade, 2074. Edit Stefanović, a psychology student, after failing the same university exam for the sixth time, decides to visit a dealer on the black market who installs a stolen military chip in her body that will record everything she sees to help her pass the exam. Edit also has a job at a scientific and social research company, in taking care of Abel Mustafov, an autistic math genius who discovered a formula that connects all forces in the world, but no computer was able to calculate it fully without becoming self-aware and shutting down immediately after that. After Edit sees the formula graph, the chip calculates the formula, and becomes able to "survive" thanks to its connection to Edit. It develops a parallel personality and affords her abilities greater than she ever imagined.
-1
Born Vickie Lynn Hogan, she had a son at 18, became a stripper at 20, and married a billionaire at 26. Sheer determination turned her into Anna Nicole Smith, playmate, model and a household name.
0
Four desperate bank robbers are forced to abandon their lucrative heist plans and become the reluctant heroes when two of their hostages turn out to be psychotic killers who won't stop until everyone in the bank has been ruthlessly slaughtered. As the police surround the building and the killers begin methodically executing the hostages.
-6
While going through a difficult divorce from her domineering, businessman husband, Alexandra moves back into her old childhood brownstone home, where she sets out to uncover dark family secrets from when she was a young girl, involving her Aunt Judith's murder and her mother's descent into insanity. The only clue is a key to a mysterious secret room that lies within the house. As a series of bizarre and unsettling incidents prod Alexandra to investigate her past, she finds herself wandering deeper into danger as her past comes back to haunt her.
-11
The greedy Braylon owns the Just Rite Sugar Company and has hired the unethical scientist Sergei to conduct an experiment to make an addictive sugar stronger than heroin or nicotine to increase his sales. Sergei uses invisible people as test subjects, like beggars, addicted junkies and illegals, in the clandestine Shadow Rock Mill. When Braylon's men mistakenly kidnap Ryan, who is the brother of his secretary Erin and son of his security chief Griff, and Hannah, the youngster becomes an important non-contaminated subject. However, Erin receives some mysterious e-mails from the unknown Cinderella with a picture of Ryan and a hint that he might be in Shadow Rock and together with her father, they decide to seek out Ryan.
-6
Smart, sexy Allison can't help but fall in love with Philip, a dashing software billionaire, and they quickly marry. But soon this new bride begins to think her hubby was involved in the mysterious death of his first wife. This suspicious newlywed needs to get to the truth - but as things turn dangerous, she may not make it to their first anniversary!
-1
A Martial Artist, afflicted with a disease that makes beautiful women want to kill him, goes on a suicide mission to find true love anyway.
0
When Benjamin Steed and Mary Ann Steed relocate their family to upstate New York in the early 1800's, they unwittingly settle in a town divided along religious lines. After their new hired help turns out to be at the center of the uproar, each member of the Steed family must come to terms with their own beliefs in the face of heavy persecution. Together they struggle to weather the raging controversy surrounding a young man named Joseph Smith.
-5
The story of Janosik, a legendary "Central European Robin Hood", based on real XVIII century documents and a romantic legend. Young Janosik, burnt out by war experiences and disappointment in love, joins a team of brigands. Soon after he becomes the troop's leader and is recognized as a brave and honorable commander, he never kills anyone he robs. Along with the fame he starts enjoying popularity among women. But Janosik's success raises jealousy in one of the troop's members, greedy and brutal Huncaga.
3
The Private Life of Samuel Pepys is a 2003 British comedy television film directed by Oliver Parker and starring Steve Coogan, Lou Doillon and Nathaniel Parker.  It portrayed the historical diarist Samuel Pepys. It was aired on BBC2 on 16 December 2003, drawing an audience of 2.9 million viewers.
0
During World War II, a Cockney woman marries a Canadian soldier and adjusts to life in Alberta.
0
Jim Henson's Pajanimals is a children's TV series on PBS Kids Sprout. The Pajanimals are characters that were made by Jim Henson's Creature Shop at The Jim Henson Company.
0
Julia Young and Steven Harris are having marital troubles, but on a weekend trip to visit Julia's family on the remote Savage Island, marital problems quickly become the least of their worries. An intense struggle between the Young and the Savage families, the only residents living on the island, takes thrills and chills to a whole new and disturbing level. The Savages, a bunch that take the terms 'hillbilly', and 'hick' to a new frontier, are out to claim Steven and Julia's baby as payment for the death of their own son who was accidentally run over by Julia's pot-head younger brother
-10
A detective is assigned to transporting a homeless man to a psyche ward after he was caught tampering with a radio tower to block alien communication to the moon. The man claims he must kill a big-time media mogul whom he believes is an alien leading the extermination of the human race. The detective must decide to either stop this man's insane mission, or to believe him in order to save the planet from the coming invasion.
-2
Four friends' attempts to find employment and accommodation pits them against landlords and gangsters in Bangkok.
-1
Jonah Ludovic is a custodian at a small municipal zoo.  After a night of heavy shelling Ludovic arrives at his job to find the staff abandoning the zoo. He joins a skeleton crew that includes an elderly guard and a veterinarian. Their purpose: to keep the animals alive until help arrives from an international zoological mission.
0
Boyish Man captures the veteran stand-up performing a set full of his observational comedy. He jokes on such mundane topics as food, the differences between men and women, and religious holidays.
-2
Arguably one of the most beloved American performers of the 20th century, John Denver had a career that saw him sell over 40 million albums worldwide while winning numerous awards, including 2 Grammy® Awards, 3 AMA's, 1 Emmy and 2 CMA's. "Rocky Mountain High: Live In Japan" is a 1981 concert from his 7-show tour of Japan and features a wonderful selection of hits from his career, including 4 of his 5 #1 hits: "Annie's Song", "Calypso", "Sunshine On My Shoulders" & "Thank God I'm A Country Boy".
5
A former kingpin of the streets, Miles “Cain” Skinner is doing life in prison. He is feared and respected among the inmates. When Cain learns that his sentence will be shortened only by brain cancer, his urgency to change his ways goes into overdrive.
-2
A rare look at Led Zeppelin, from their humble beginnings to their status as rock gods. The unique chemistry between singer Robert Plant, guitarist Jimmy Page, bassist John Paul Jones & drummer John Bonham led to tensions within the band, but were essential to their success. Take a journey where incredible heights and extreme lows helped forge one of the greatest rock bands ever.
6
The powerful story of Jan Kaplicky, one of the most gifted architects of his generation. Mr. Kaplicky fled Prague along with many of his cultural contemporaries during the social unrest of 1968 Czechoslovakia. Almost forty years later, he returned to his hometown of Prague and faced the biggest challenge of his career.
1
Set in the near future, Medabots revolves around the super charged battling adventures of a group of kids and their pet robots. Fueled with artificial intelligence and a specialized arsenal of high powered weapons, Medabots compete against each other in exciting Robattles, with the winners acquiring Medaparts from the defeated Medabot.

With over 370 unique robots ready to Robattle, Medabots is filled with explosive adventures in a world where kids have the ultimate power. But more than anything else, these challenges are about courage and mind power, where the soul of the Medafighter and Medabot combine to emerge victorious.
7
On their way through the Battle Frontier, Ash and friends meet up with a Pokémon Ranger who's mission is to deliever the egg of Manaphy to a temple on the ocean's floor. However, a greedy pirate wants the power of Manaphy to himself.
-1
When a scam goes horribly wrong and leaves the neighborhood kids furious, the Eds embark on a journey to find Eddy's brother in the "Ed, Edd, n Eddy" series finale.
-3
Zooni Ali Beg is a blind Kashmiri girl who travels without her parents for the first time with a dance troupe to Delhi to perform in a ceremony for independence day. On her journey, she meets Rehan Khan, a casanova and tour guide who flirts with her. Although her friends warn Zooni about him, she cannot resist falling in love with him and he takes her on a private tour of New Delhi. But there is more to Rehan than meets the eye and Zooni will have to make a heartbreaking decision.
-4
Animated tale in which Garfield leaves the cartoon world for the real one but as the novelty wears off he begins looking for a way back before his cartoon strip is permanently cancelled.
1
M! Countdown Mwave is a South Korean music television program broadcast by M.net. It airs live every Thursday at 18:00 to 19:30. The show features some of the latest and most popular artists who perform live on stage. The show is hosted by Kim Woo-bin as the main host of the show along with various artists that invited to the show each week and broadcast from CJ E&M Center Studio located in Sangam-dong, Mapo-gu, Seoul. It also airs live in China, Hong Kong, Japan, Philippines, United States, Taiwan, Malaysia, Singapore and other countries.
1
Squadron Leader Veer Pratap Singh, a pilot in the Indian air force, rescues the stranded Zaara, a woman from Pakistan, following a bus accident, and their lives are forever bound.
0
While alone in a nightclub, straight-laced Lui meets sensitive but troubled punk kid Ama. Mesmerized by his split tongue, she becomes obsessed with body modification and soon wants the same treatment. After Ama's heavily-tattooed friend Shiba pierces her tongue, Lui finds herself inexorably drawn to both men – and to her growing list of desires, she now adds a tattoo.
-2
Fourteen years after defeating the immortal warrior Himuro Genma and thwarting the Shogun of the Dark's evil plans, Kibagami Jubei continues to roam all over Japan as a masterless swordsman. During his journey, he meets Shigure, a priestess who has never seen the world outside her village. But when a group of demons destroys the village and kills everyone, Jubei becomes a prime target after acquiring the Dragon Jewel — a stone with an unknown origin. Meanwhile, Shigure — along with the monk Dakuan and a young thief named Tsubute — travels to the village of Yagyu. And with two demon clans now hunting down Shigure, Dakuan must once again acquire the services of Jubei to protect the Priestess of Light.
-4
Takemoto Yuuta, Mayama Takumi, and Morita Shinobu are college students who share the small apartment. Even though they live in poverty, the three of them are able to obtain pleasure through small things in life. The story follows these characters' life stories as poor college students, as well as their love lives when a short but talented 18 year old girl called Hanamoto Hagumi appears.
2
With dreams of becoming Super League champions, a talented striker named Shakes and his football team take on rivals while going on global adventures.
1
When Jesse Stone looks into the murder of a teen-age girl whose body is found floating in a local lake, it brings him up against the Boston mob and into the affluent world of a bestselling writer who exploits troubled teens.
-2
After serving 6 years for a crime he didn't commit, Shane Daniels is released from jail with an apology from the State of Arizona. Within hours of his freedom, he unluckily bears witness to a cop killing by Chinese mafia, who have a kidnapped girl and a bag of drug money.
-1
Kekkon dekinai otoko, known in English as He Who Can't Marry, is a 2006 Japanese drama broadcast by Fuji TV. The theme song is "Swimmy" by Every Little Thing.

The drama was produced by Kansai Telecasting Corporation and Media Mix Japan.
0
A Gulf War veteran with PTSD (Kilmer) heads to a small town to find his friend. When he arrives his friend and his family have vanished and the townsfolk afraid to answer questions about their disappearance. He soon discovers that the town is owned and controlled by one man (Gary Cole) and he doesn't like people asking questions.
0
A man falls in love with his childhood friend, but her sister is the one who reciprocates his feelings.
0
A biographic flashback of an extended Peranakan family in Malacca; set in the 1930s, the story spans over 70 years and several generations of three families.
0
Creepy happenings in an abandoned mansion are attributed to the ghost of an ancient courtesan, back for revenge.
-2
Police Chief Jesse Stone's relationship with his ex-wife worsens, and he fears he's relapsing into alcoholism. To get his mind off his problems, Jesse begins working on the unsolved murder of a bank teller shot during a robbery. Also, his investigation of an alleged rape draws him into conflict with the town council — which hopes to preserve Paradise's reputation as an ideal seaside resort.
-2
Rocket Singh: Salesman of the Year is the sometimes thoughtless, sometimes thoughtful story of a fresh graduate trying to find a balance between the maddening demands of the 'professional' way, and the way of his heart - and stumbling upon a crazy way which turned his world upside down, and his career right side up. Welcome to the world of sales boss!
1
Hansel and Gretel is a 2002 film adaptation of the Brothers Grimm children's story. It stars Jacob Smith and Taylor Momsen as the eponymous characters. It includes the Sandman, played by Howie Mandel and Sinbad as a raven.
0
Eloise is a precocious but loveable six-year-old girl who lives in New York's Plaza hotel. Eloise's long-suffering nanny has her hands full trying to keep her charge out of mischief, but when a young prince arrives, Eloise takes him on all kinds of adventures- and can't resist matchmaking at a debutante ball.
-1
A wily businessman plots with a sultry executive to swindle $40 million from his father. But who is conning who?
-3
As an only child, Jane was brought up in the Royal Court as a medieval middle-class girl and raised to be a lady-in-waiting. A combination of determination and good fortune changes Jane's life and she becomes a knight in training. Accompanied by her best friend, a giant green Dragon, Jane demonstrates her bravery and kindness in a series of adventures set in feudal times.
5
Raj is a heartbreaker. His love stories with Mahi, Radhika and Gayatri finally teach him about love and life in their own sweet, sexy and sassy way.
3
When the President learns that domestic terrorists have skyjacked the passenger jet her brother is flying, she must choose between family and the safety of the people in the cities below
0
A Hungarian family forced to flee the Communist country for the United States, must leave a young daughter behind. Six years later the family arranges to bring the absent daughter to the United States where she has trouble adjusting. The daughter then decides to travel to Budapest to discover her identity.
-2
An alcoholic former horse-trainer perceives in a fifteen-year-old boy a unique gift of horsemanship and makes it possible for the boy to conceive his dream and pursue it.
0
A high school shooting has repercussions on the town and students.
0
No overview found.
0
Stone (the Antichrist) becomes President of the European Union and uses his seat of power to dissolve the United Nations and create a one world government called the World Union.  Megiddo is a supernatural ride into a world teetering on the edge of the Apocalypse. It follows the rise of a Machiavellian leader bent on amassing the armies of the world for the battle of Armageddon while calamities of Biblical proportions pummel the Earth. Though both prequel and sequel to The Omega Code, Megiddo works also as a stand alone story for anyone who missed its predecessor. For at its emotional core, Megiddo is the Caine and Abel story of the two men enamored with the same woman, raised as brothers, who grew up to find themselves pitted against each other over the fate and souls of the entire world.
-3
The tragic fate of Juana I of Castille, Queen of Spain, madly in love to an unfaithful husband, Felipe el Hermoso, Archduke of Austria.
-2
Carlin returns to the stage in his 13th live comedy stand-up special, performed at the Beacon Theatre in New York City for HBO®. His spot-on observations on the deterioration of human behavior include Americans’ obsession with their two favorite addictions - shopping and eating; his creative idea for The All-Suicide Channel, a new reality TV network; and the glorious rebirth of the planet to its original pristine condition - once the fires and floods destroy life as we know it.
2
Loner Diane Ford is a truck driver with an 11-year-old son, Peter, whom she never sees, and that's fine with her. But, when Peter's father, Len, falls ill, he asks Diane to take care of their son for a while. Eventually, Diane reluctantly agrees, but she quickly realizes that caring for a child interferes with her independent lifestyle - and Peter isn't all that thrilled with the arrangement, either.
-2
Trouble follows Zaki wherever he goes, until he finds out that his father's boss needs a bodyguard for his kids and he decides to apply for the job even though he doesn't really fit the requirements.
-1
A poor New York resident, who is of Indian origin, dreams of becoming a fast car race driver. He endeavors, and his efforts are rewarded when he selected by a little-known group called 'RACING SADDLES'. He joins them and soon becomes their ace race driver. This man, whose name is Rajveer, then meets with a rich American woman, also of Indian origin, whose name is Radhika.  Both fall in love with each other. They cannot get married, because Radhika's family hates Rajveer mainly because he is very poor. But Radhika is very stubborn, so she marries him. She loses all her rights to her family's wealth. They get married and become parents of two children. They also become very rich. Then Rajveer has an accident which changes their lives forever. They get into debt and stand to lose everything. Will Radhika be forced to return back to her family?
-4
Set during the years between the "Rebecca" trial and the writing of Du Maurier's short story "The Birds", including her relationship with her husband Frederick 'Boy' Browning, and her largely unrequited infatuations with American publishing tycoon's wife Ellen Doubleday and the actress Gertrude Lawrence.
0
After a police team kills his brother, a drug-dealing gangster vows to kill the entire team and their respective families.
-3
Veera, a fire-cracker of a girl who lives in a small village but dreams of playing cricket in the big league. Rohan is an accomplished captain of a county cricket team in England. Rohan returns to India to captain his father's cricket team which has been losing for the last 8 years. In a Village where girls don't play Cricket, Veera has to put on a put on a turban & beard to live her dream.
0
Set in 1932, amid the rise of militarism after the establishment of the Manchukuo colony in Northeast China, the story centers on a trio of karateka. Studying under their aging master in a small dojo in the woods of central Kyushu, Choei, Taikan and Giryu face a company of kempeitai military police come to requisition their dojo for use as a military base.
1
An alien bacterium resurrects the dead on Earth.
-1
A group of friends have trained themselves in martial arts. One of the gang is in hospital so when the hospital is taken over by a group of terrorists, the kids take on the rebels.
0
Superstar rap mogul C-Note wants to join the Carolina Pines Golf & Country Club, but faces stiff opposition from the establishment's snooty members. C-Note forces the issue by purchasing the land adjacent to the golf course's 17th hole. As the club leaders search for a way to revoke his membership, C-Note realizes his family's honor and golf history are at stake, and digs in for the fight of his life.
-3
The encounters of two people who run into each other on several occasions under circumstances ranging from friendly to hostile to loving. Along many years and countless run-ins, the two despise each other, befriend each other, and fall in love with each other—in no particular order.
0
Dia is a divorced mom living in New York and must go back to India after she receives news that her guru is on his death bed. When she arrives she finds he is gone and has left her the responsibility of saving and reviving the Ajanta Theater where she used to dance. The problem is that the political officers want it torn down and turned into a shopping mall. The storyline follows Dia and her challenge to stand up for what she believes in and fight the cause to the end, while trying to win back the love and support of the people of the town whom she walked out on ten years prior.
1
Salaam Namaste is about two Indians who have left their houses to make a life on their own, and how they meet and how they tackle their own relationships and problems and overcome them themselves without their families
-1
Based upon Bram Stoker's short stories, Dracula's Guest follows the story of two young lovers, Bram and Elizabeth, who are forced by her father, the Admiral Murray, to take a one year probation from their relationship in order to determine whether their love is true. Meanwhile, the Count Dracula is in London searching for a new home and coincidentally, or not, comes across young Elizabeth at the train station after she's run away from home and her father's overbearing ways. Dracula, though, proceeds to kidnap her and take Elizabeth to his castle where he waits for her father's arrival to settle an ancient dispute. Meanwhile, Bram' friend Malcolm sets out to inform Bram of Elizabeth' kidnapping but he soon falls to Dracula's evil ways. And, upon finding his best friend dead Bram sets out across Europe to rescue his true love.
-1
Vincent's life is on hold until he finds his wife's killer. Alice, his neighbor, is convinced she can make him happy. She decides to invent a culprit, so that Vincent can find revenge and leave the past behind. But there is no ideal culprit and no perfect crime.
-2
One day they pray to God for help and he does help them. He sends his most mischievous, childlike, lovable angel to the rescue, with a mission to bring Ranbeer and the kids together. Geeta (Rani Mukerji) comes bicycling down a rainbow… and bursts into Ranbeer's house as the selfproclaimed new nanny. And then starts the roller coaster ride of fun, emotions, magic and love.
4
A ne'er do well father and ex-husband who always raced his way through the holidays is forced to relive Christmas Day time and again until he gets it right in this family oriented fantasy comedy starring Jay Mohr. It's Christmas time once again, and as usual Kevin (Moore) is scrambling to get his son Ben a last minute gift before stopping by his ex-wife Jill's house for a quick swig of eggnog. Ben can't stand Jill's impossibly perfect new boyfriend, and the prospect of spending the entire evening with his former inlaws is nearly too painful to ponder. But this Christmas things are going to be different, because this Christmas might just last forever. At first Kevin resists the curious development by simply reverting to his childish ways, though he is about to find out that sometimes in order to build a better future one must finally make amends with the past. ~ Jason Buchanan
0
A young math genius discovers a huge solar storm on the verge of destroying the Earth's power grid and he must alert the world before a powerful businessman stops him.
2
When a group of small-town teenagers find the “Devil's Diary,” a book that embodies the evil of Satan by physically manifesting any evil thought that is written in it, all hell breaks loose. Unearthed after centuries of concealment, the Devil's Diary wreaks havoc and destruction on the high school students who found it, and their entire community. Can their town be saved from complete ruin?
-11
Two shopkeepers are set up on a blind date by well-meaning relatives, despite the fact that they both have somebody else on their minds
-1
When Anna Carter is diagnosed with a terminal illness, she sees her final three months as an opportunity to enact some vigilante justice. Racing her deteriorating health and trying to stay one step ahead of the police, Carter furiously tracks down vicious criminals whom she feels unjustly eluded jail time.
-6
Faster is an electrifying tribute to the white-knuckle world of MotoGP™ — the fastest sport on two wheels — where the world’s top riders go wheel to wheel at over 200mph and crash at over 100mph. Narrated by Ewan McGregor, Faster chases two seasons’ worth of the world championship, featuring revealing interviews with riders, mechanics, doctors, commentators and fans. If you want high octane, adrenaline fuelled thrills, Faster will take you on a nerve shredding journey through the most exciting sport on the planet!
7
A man dies in a freak accident on a golf course only to learn he must perform one last  good deed to get into heaven.
1
On Christmas Eve, ten strangers board a bus traveling across Texas and are forced off the road by a motorcycle gang. The passengers then take refuge in an abandoned scrap yard. When their defense against the gang weakens and their numbers dwindle they must do the unthinkable go on the offense.
-3
When she's dumped at the altar, a young woman takes her mother on her intended honeymoon to a remote resort. But her mother has ulterior motives -- she needs a big interview to help her magazine, and the resort owner is the perfect catch.
-1
Bunty and Babli are two avid dreamers. Two free souls born into caged small town realities. They grow weary of being two specks on the horizon. They desire the horizon itself.And so they pack their aspirations in worn out bags, whip a scarf of confidence around their proud necks and set forth. On a journey across the length and breadth of the country, spinning circles around the people they meet.
3
Thomas the Tank Engine rediscovers the lost railway town of Great Waterton. A new engine named Stanley is brought to help restore the town, but Thomas becomes jealous when Stanley wins over his friends.
-1
A hip, misguided Southern California couple decide to make a difference in the lives of the homeless by giving them lollipops with a cheery slogan on the wrapper.
0
Set in a rustic English village in the mid 19th century, Under The Greenwood Tree tells the story of a poor young man who falls for a middle-class schoolteacher and attempts to win her over.
-1
Be-spectacled geek, Abhay falls in love with college hottie, Alisha and silently slinks away into the shadows when he realises she's unattainable. Seven years later, he re-enters her life as the nanny and hopes to woo the single mom, this time at least. Does he succeed?
2
In London, an airport baggage handler is forced by French and British intelligence agents to seduce the wife of a businessman with ties to Syrian terrorists.
1
In his quest to become the world's greatest air-drummer, a small-town dreamer must overcome obstacles and ridicule to save the day.
-1
A women meets a charming man and falls in love, they get married and start a family. As they age and have children, the man's becomes violent and abusive.
-1
Jacob is a young man used to getting everything he wants. For several years, he has been living in a happy homosexual partnership with Jørgen, and one night Jacob decides to pop the big question to Jørgen. Jørgen happily accepts Jacobs marriage proposal, but then something happens: Jacob falls in love with a girl, and not just any girl. The girl is Caroline, married to Jørgens younger brother Tom.
2
The owner of a gigantic oil refinery decides to burn the place down for insurance purposes, only to create a giant fireball that endangers the lives of a small town.
-1
Kana Kandaen is a 2005 Tamil film directed by K. V. Anand, and starring Srikanth, Gopika, and Prithviraj.  Friends since their childhood days, the couple begins to live in a small house owned by Vivek in Chennai. Meanwhile, Bhaskar, a research scholar in Chemistry, succeeds in coming out with a prototype of a desalination plant which he wants to give to the government and solve the water crisis in Chennai.
0
A 'mocumentary' on the rise and fall of Chip and Dales dancer turned martial arts action star, Francis Allen Sledgewick, AKA Frank Sledge. When fame and fortune caused Frank to lose his sense of what's truely important, he realised he's going to have to get in touch with his roots if there's ever going to be a comeback.
1
A village cook Ramji goes to Australia to become a chef at a multi-millionaire Indian's home. Unfortunately, the millionaire dies of indigestion the day Ramji arrives, leaving him jobless with an expired visa. Desperate to stay and earn, he starts working illegally as a cook, but to stay on, he needs to get legal. A solution comes up when Damayanthi, a free-spirited biker, agrees to marry the docile cook for a price.
-5
Bhaskaran is a happy-go-lucky guy, who is yet to complete his B.A. degree, writing arrear examinations annually for years. His only friend is Nallathambi who owns a barber saloon, which he received as a dowry for marrying a two-month pregnant woman. He lives with his mother, Sivakami, brother Saravanan who is a successful veterinarian and sister, Nithya. When his brother marries Nandhini, he gets to meet Nandhini's younger sister Chandrika and wishes to marry her. When he approaches his family for a chance, everyone talks very frankly of his unemployed status which rankles him and he leaves his house to prove himself. With the support of Nallathambi, he establishes a tutorial for Class 10 students and despite early setbacks makes it work, while also convincing Chandrika, who eventually reciprocates his love. However despite all this, Chandrika's father is against her marriage with Bhaskaran for a reason which is revealed in the end.
3
A young woman, seemingly good but still psychologically disturbed from being kidnapped as a little girl, becomes the obvious suspect in a murder.
-2
Carrie's War is an adaptation of a 1973 children's novel by Nina Bawden, set during the Second World War and following two evacuees, Carrie and her younger brother Nick.
0
Indian mother Mrs Sethi's obsession with marrying off her daughter turns murderous. With jokes that routinely miss the mark and cringeworthy slapstick, this black comedy farce shouldn't work. Somehow, though, it does.
-2
Jérôme and Benjamin are two young skateboarders whose carefree existence is turned upside down when they witness the murder of a drug dealer. Rumbled by the assassins they manage to escape. Taking refuge in a police station they then discover that the criminals are actually the crooked cops. Then begins a relentless chase through the streets of Paris as Jérôme and Benjamin attempt to outwit their unscrupulous pursuers... Utilising real Paris locations and two of France's top street skaters, Skate Or Die is an adrenalin rush thriller for the Red Bull generation.
-4
Vivica A. Fox and Shemar Moore return for this thrilling sequel to Motives that picks up three years after the events of the original film. Innocent convict Emery Simms is serving time for a crime he didn't commit; while most convict's claims of innocence are shoddy at best, Emery has every reason to protest his wrongful incarceration. Meanwhile, in the outside world, Emery's ex-wife (Fox) has married his best friend and the pair is struggling to build a normal life together. When Emery is killed in prison and his brother Donovan (Brian J. White) discovers the truth about what killed his ill-fated sibling, his quest to cut through the complex web of lies and deceit which previously ensnared Emery threatens to bring about deadly consequences.
-10
A boy witnesses his mother kissing what he believes to be is the real Santa Clause and retaliates with mischief.
-1
Emily, a preacher's wife, is as faithful a spouse as they come — until her hubby, Ted, takes in a handsome drifter who's down on his luck. (Red flag!) Emily finds herself drawn to this sexy wanderer, and it doesn't take long for the pair to begin a steamy affair — right under unsuspecting Ted's nose. When a guilt-ridden Emily eventually tries to call it quits, the real drama begins!
4
Following an incident on Halloween, the lives of a roofer, waitress, romantic rookie, and mysterious clairvoyant converge due to an undiscovered connection.
0
Filmed in Eastbourne where her grandfather and father were born and where she went to school, this show is the funniest live show that could ever be performed by a warm blooded animal.
1
A warm-hearted comedy about a compulsive soccer mom who masquerades as a famous Italian soccer star hired to coach her daughter's floundering soccer team, then struggles frantically to keep her wacky charade going long enough to see the girls win their big tournament.
-1
Everyday family life as perfectly normal madness. “As Melhores Coisas do Mundo“ follows a few days in the life of the 15-year-old Mano, who is fighting on two fronts: his parents have just got divorced and he is going through puberty. Mano tries to make his way through life, with its first sexual experiences, his depressed brother and his self-centered parents. It’s a humorous homage to the pitfalls of daily life and the diversity of life.
1
After uncovering evidence that her stepfather was murdered by her D.A. ex-husband and a ring of corrupt cops, a young woman is forced to flee with her daughter. She winds up hiding in a small, rural town, and things take a turn for the better when she falls head over heels for a local ranch owner -- but is danger still hot on her tail? Stay tuned!
-2
Four young friends decide to work together when one of them comes up with an innovative and lucrative business plan. But their lives begin to deteriorate when their personal issues surface.
1
Two divorced fathers Mathias and Antoine, decide to raise their children together in London. Their lives consist of Sophie the pretty florist secretly in love with Antoine, Yvonne who runs the 'bistrot français' and has a very maternal outlook on life and Mac Enzie, the boss of Antoine's agency who is completley in love with Yvonne despite the big age difference.
3
Desperate to break free from the poverty of his homeland, Elias boards a ramshackle people-smuggling trawler to France. But when the boat is raided by police, Elias leaps into the ocean, eventually finding himself washed up on a Mediterranean beach resort called Eden. So begins Elias odyssesy across Western Europe to Paris, where wondrous promise, helpful new friends and perilous dangers await him every step of the way.
-2
In the countryside, the boy Alan and his friend Becky steal a creepy wooden box with a powerful voodoo stick inside from his voodooistic neighbor. When the boy draws with the stick, his drunken father is attacked by a snake and vanishes. Years later, Alan and Becky are married to each other; while planting some flowers to celebrate the death of Alan's mother, Becky finds the box buried in the garden and she keeps the stick in her pocket. Meanwhile, five friends are traveling in a monster truck, drinking beer. The driver accidentally runs over Becky, but believes he had hit an animal. When Alan witnesses the hit-and-run and sees his wife dead, he uses the stick seeking revenge against the youngsters.
-5
This new installment in the popular and critically-acclaimed Donald Strachey Mystery series finds America’s favorite gay private investigator, Donald Strachey (Chad Allen), taking on the most complicated case of his career. After his long-time partner, Tim (Sebastian Spence), asks him to uncover the source of an anonymous and generous donation to the Albany youth center, he gets caught in a whirlwind of deceit and danger. When the lawyer who presented the donation turns up dead, the hard-boiled Strachey must race against the clock to capture the killer before he strikes again."
-5
A vegetable vendor takes care of an elderly woman and her two young daughters, but he has a dark past that wants to catch up with him.
-1
Musafir (Hindi: मुसाफ़िर Musāfir, translation: Traveller) is a 2004 Hindi thriller film, directed and produced by Sanjay Gupta starring Sanjay Dutt, Anil Kapoor and Sameera Reddy. The film was controversial because of some sensual scenes, including kissing, between Kapoor and Reddy. The film has been described as "a take-off on" Oliver Stone's 1997 thriller, U Turn
-1
Disturbed Isabelle is locked in a fierce battle with a vicious demon that's hell-bent on owning her soul
-5
The mother of a young divorcee places an ad on her daughter's behalf on a lonely hearts internet website but the person who responds fits her own ideal of a suitable partner. The daughter is still hung up on her musician ex-husband.
0
Somewhere in Australia in the early 20th century outback, an Aboriginal man is accused of murdering a white woman.  Three white men are on a mission to capture him with the help of an experienced Indigenous man.
0
Sunday morning values, Saturday morning fun! It’s a tale of good versus evil with beans! Lord of the Beans follows the fantastic journey of a Flobbit named Toto Baggypants (Junior Asparagus) who inherits a most unusual and powerful bean. With the help of his mentor Randall and a spirited group of friends, Toto embarks on a mission to discover how he should use his gift. On their quest, the group encounters many challenges, including crossing the mountains of Much-Snowia, and facing the dreaded Lord Scaryman – who seeks the bean for misguided, selfish reasons. Will Toto discover the purpose of his giver, or will the scary dude and his Spark army capture the bean and wield its awesome powers?
1
Prince Naresuan is now the crown prince of Ayutthaya and the king of Burma is dead. While the new Burmese king is waging war, the crown prince plots to assassinate Naresuan. Hearing this, the prince decides to evacuate Thais out of the Burmese capital and declare that Siam will no longer bow to Burma. The war for the kingdom's independence begins.
-3
Nelly McDermott, the granddaughter of a prominent politician, loses her husband, architect Adam Cauliff, in a fiery boat explosion. When she's informed that he was murdered, Nell is compelled to find the killer by searching for the truth, with the help of a psychic, which could solve the mystery — or end her life.
-1
A human-rights activist takes in an illegal immigrant and her daughter, then shocks his family when they learn that he has married the sexy 28-year-old.
-1
Paula's Home Cooking is a Food Network show hosted by Paula Deen. Deen's primary culinary focus was Southern cuisine and familiar comfort food that is popular with Americans. In the show, classic dishes such as pot roast, fried okra, fried chicken, and pecan pie were the norm, and overly complicated or eccentric recipes were usually eschewed. Dishes that are flavorful and familiar were spotlighted, although the fat content and calorie count of the meals were often very high. Paula also showed off vignettes of Savannah, Georgia, where she co-owns with her sons Jamie and Bobby, The Lady & Sons.

Deen's popularity, spurred by the show, led to a small role in the feature film Elizabethtown.
-1
London, an overcrowded cafe, one table to share. Two strangers tell each other “how I met my fiancé” stories to kill time. Rikki met his fiance Anaida at the Ritz in Paris and Alvira met her prince charming Steve at Madame Tussauds
-1
An 1800’s western set in the Great Smoky Mountains of North Carolina. It’s a story of love, hate, revenge, honor. It showcases the most famous villains of all time from John Boorman’s “Deliverance” filmed in 1972. Voted number one movie villains of all time in “Maxim Magazine”, 2005, Bill McKinney and Herbert “Cowboy” Coward scared audiences with their mountain man delivery that struck fear in millions of movie goers. They were reunited in this film after 37 years.
-2
Just a few weeks before her wedding, dance teacher Cyd Merriman comes face-to-face with the father she never knew. As they deal with the emotional repercussions of his return, they must decide together whether to sell the dance studio that has been in the family for generations to a real estate developer.
0
Tanya leaves Moscow with her street-wise 10-year-old son Artiom to meet her English fiancée in London. But after he fails to turn up at the airport, Tanya, intent on staying in England, is forced to apply for political asylum and transferred to Stonehaven, a grimy former seaside resort where refugees are housed.
-1
Mazinkaizer SKL (マジンカイザースカル Majinkaizā Sukaru?) is a Japanese OVA spinoff of Go Nagai's Mazinkaiser, which was in itself a spinoff of Mazinger Z. The first episode was released on November 27, 2010 and was first screened on November 27, 2010. It also has a novel adaptation serialized in ASCII Media Works' Dengeki Hobby Magazine and a manga adaptation published in the mobile phone magazine Shu 2 Comic Gekkin. Like Shin Mazinger Shougeki! Z Hen, characters and references to other works of Go Nagai appear in this series.
3
Reena is a young Indian American lesbian who lives and works in New York. Her sister Sarita, who is happily married, discovers that she is infertile. Reena offers to be a surrogate mother for her sister's baby, hoping to improve her relationship with their mother, who disapproves of Reena's sexual orientation. Reena has second thoughts when her girlfriend Lisa feels left out.
3
One of the most spectacular and renowned conductors of the 1930s, Wilhelm Furtwangler's reputation rivaled that of Toscanini's. After the war, he was investigated as part of the Allies' de-Nazification programme. In the bombed-out Berlin of the immediate post-war period, the Allies slowly bring law and order to bear on an occupied Germany. An American major is given the Furtwangler file, and is told to find everything he can and to prosecute the man ruthlessly. Tough and hard-nosed, Major Steve Arnold sets out to investigate a world of which he knows nothing.
1
Hosting a new exhibit, artist Nikki Wickersham, (Lindsay Price) and her husband George Wickersham, (David Jones) are called out to Maine to sort through his father's belongings after he dies. Arriving there to find they've inherited an island with a large mansion on it, they quickly learn of an old story surrounding the house about it being haunted through the years, yet friends Margie Mancuso, (Sadie LeBlanc) and Peter Hughes, (Niall Matter) convince them to stay there anyway. While working on a special project, a series of strange events around the house has them convinced that the house has indeed a spirit roused by a secret from the past, and they work to rid it from their house before it strikes them as well.
0
Tommy is a vacuum cleaner salesman gripped by the fever of closing the deal. He lives on puffa rice stored in his glove compartment, listens to motivation tapes of his own voice shouting 'Sell, sell, fucking sell' and his punters are up to their eyes in debt. Even Tommy admits his 'soul's in holes'. He's sure the Golden Vac (the holy grail of vacuum salesmanship) can be his - if only he hadn't been saddled with Pete, a meek sales trainee trying to help his girlfriend quit stripping.
0
Fourteen years after her son and estranged husband were presumed lost at sea, Kristen believes she glimpses them in the background of a friend's recent vacation video.
-2
Writer/Director Danny Draven takes the helm for this supernaturally driven shocker about an unassuming housekeeper drawn into a terrifying world of vengeful apparitions. According to the Chinese calendar, the seventh month of every year marks the time when the restless spirits of the dead break free from the gates of hell to mix among the mortals. During this time, specific rules must be followed to avoid falling prey to the spirits of the damned. When a solitude-seeking housekeeper arrives at the desert home of a superstitious Chinese woman and her devoutly religious aunt, death senses an opportunity to extend its grip into the mortal realm.
-9
Two rival Medieval shows vie for supremacy in the world of Renaissance Faires.
1
A Parisian criminal gang fall apart after challenges to the gang's leader lessen his influence.
-2
Bagavathi, a tea vendor, has big dreams for his younger brother, Guna. However, when Guna's girlfriend's father kills him, Bagavathi must fight to protect Guna's unborn child.
0
Five people - two Indian journalists, an American journalist, an Afghan guide and a Pakistani soldier who takes them all hostage - are taken on a 48-hour journey into Afghanistan in a jeep called the Kabul Express, a special and unlikely bond developing between them along the way.
-2
A biopic on singer Céline Dion.
0
A local gangster and his adopted brother rule over a town together. However, their relationship turns sour after the man's sister dies due to the gangster's mistake.
-4
In a town where everyone believes in UFOs, a bus driver named Sam lives out his daydreams by making special radio programs for the passengers who ride his bus. A heartwarming story of a physically challenged but outgoing girl named Kate who falls in love with this timid but lovable bus driver.
1
After being denied an American visa, a Bolivian professor becomes involved in a web of criminal activities, holds-up the American consulate and falls for a beautiful prostitute from the Bolivian lowlands.
-2
"Cosmic Quantum Ray" is a zany comedy-action-adventure series that brings the strange corners of the universe to the world of Earth teenager Robbie Shipton. Robbie represents Earth as a member of Team Quantum - an elite, eccentric team of heroes that saves the Universe almost every day, and hopefully in time for Robbie to get to his third-period Science class!
0
Set in the belly of Los Angeles' criminal underworld, Arc is the story of Paris Pritchert, a former police officer turned drug dealer and addict, who embarks on a quest to find a missing child in the hope of redeeming his eroding character. The only catch is, like all addicts, Paris' confidence completely relies on the drugs in his system and -- in this case -- his firm belief that he can succeed in his mission if he can just stay high 24/7 and alive long enough to see it through. To aid in the endeavor, Paris enlists the help of Maya Gibbs, an African American prostitute versed not only in the language of the street, but also in the words of Maya Angelou and Nadine Gordimer. And together, the path of this dysfunctional duo crosses with those of the child's parents, a doctor with a penchant for soliciting "Street Boys", a self-ascribed King Of Porn, a drug supplier with a gift for making impeccable hors d'oeuvres, and a hardened cop with more scams than the most adept street hustler.
0
The Future is Wild is an animated children's version of Canadian 2003 joint Animal Planet/ORF and ZDF co-production The Future Is Wild. It was developed by Nelvana Animation, and directed by Mike Fallows, with characters and creatures designed by Brett Jubinville. It is made in CGI animation. The show is a Teletoon Original Production and first aired on Teletoon on June 28, 2010; it made its debut in the US on Discovery Kids on October 13, 2007. It now airs weekday mornings on The Hub. It features four teenagers who study the future of the earth to find a new habitat for humanity, while learning about the futuristic creatures who inhabit it. The show ran for one 26 episode season. It utilizes creatures speculated about in a the original version of The Future Is Wild, albeit with highly fictionalized elements.
-2
Call him a city slicker. Call him a tenderfoot. But don't call him a member of the family--yet. Rising L.A. lawyer James White is going home for the holidays with his fiancée, Sadie Ryder, to finally meet her family in rural Pine Gap. After blundering through a bad first impression, James attempts to win over Sadie's lawyer-loathing father Karl by pretending to be a horse-riding, hay-baling, game-hunting, seasoned square dancer. But a pair of worn jeans and a ten-gallon hat don't make a cowboy, and it's going to take more than mere posturing to charm Mr. Ryder... in fact, it just might take a miracle.
0
Drama inspired by the life of Walter Tull who, after years in an orphanage, went on to become a professional footballer and then the first black commissioned officer to lead British troops during WW1.  The action concerns Tull's turbulent passage from ordinary soldier to extraordinary officer at officer training camp, where he had to face his own demons as well as fight the prejudice that surrounded him
-1
Volcanic activity awakens a prehistoric giant anaconda, forcing the local Sheriff and a band of volunteers to stop the menace.
-1
To pay off their gambling debt, four best friends kidnap an organized crime figure having mistaken him for a wealthy businessman.
-1
A German Shepherd Dog named Rain is trained to fight in the Vietnam War and his intelligence and courage in the face of adversity wins the respect and loyalty of his platoon.
4
Jeetendra Kumar Makwana is employed full-time at a Call Center and works part-time teaching English. He is recruited by an attractive young woman, Pooja, to teach her Hinglish-speaking boss, Bhaiyaji, English. Jeetendra agrees to do so, falls in love with Pooja, and joins forces with her to steal a bag containing 25 Crore Rupees in cash. He will soon find out that Bhaiyaji is a hoodlum and extortionist known to the Police as Lakhan Singh.
1
A day in the life of 10 year old skateboarding twins
0
Kaitlin Olson (It's Always Sunny In Philadelphia) stars opposite Jon Dore in this hilarious heist comedy written and directed by Jason and Randy Sklar (Cheap Seats). A disgruntled and bored bank teller named Ray (Jon Dore) finally gets his wish for some excitement when the branch is held up by two teams of crazy robbers disguised as Rocky I, Rocky II, Batman and Robin. As the robbery unfolds, the hostages fall victim to a comedic version of the Stockholm Syndrome and begin sympathizing with their dimwitted captors, which leads to an extended siege as Ray pursues a romantic relationship with one of the robbers (Kaitlin Olson).
-6
A college professor is pursued by a stalker two years after her actions led to a young woman's death.
0
Jaya is an orphan and a born rowdy working in a hotel as a helper. He loves Brinda who also his boss's daughter.
0
The millions of Keiko fans around the world finally learn the truth about what really happened when the Free Willy star became the first and only captive orca to be released back into the wild. The most unlikely candidate for release because of his long years in captivity, actually thrived for over 5 years in his home waters, gaining over 3000 lbs during his rehabilitation, mixing it up with wild orcas, swimming across the North Atlantic, and finally passing as a middle aged orca as the only captive orca to ever be successfully rehabilitated and released back to to the 'wild' - come join Keiko's Pod and help Rescue Rehab and Release all of the other whales and dolphins currently in captivity.
0
A ruthless mafia hit man is transformed when he rescues a woman who takes the fall for one of his hits.
-2
A talented team of basketball players made up of little people enters a tournament to help a teammate's son go to college.
1
Gautham does not believe in flirting whereas his friend Kannan is a womaniser. Trouble ensues when Gautham falls in love with Sandhya, the woman Kannan's parents choose as their daughter-in-law.
-1
A brilliant young college student named Griffin goes to his psychologist, Dr. Kemp, with a strange and frightening tale. A few days earlier, at the local university, he made an incredible breakthrough with his experiments involving invisibility. Not content to experiment on inanimate objects, he injected his invisibility serum into himself. At first, he reveled in achieving his life-long dream of becoming invisible ... but once he realized that the effects were permanent, his harmless excursions into eavesdropping and voyeurism turned murderous. Now, his enemies will suffer and even his friends are no longer safe as he hunts them down, one by one, within the confines of the deserted university campus.
-2
Four brothers try to find the mystery behind the murder of woman who raised them.
-2
Phase Gaye Re Obama is a comedy set against the backdrop of global recession/meltdown that originated in USA. The film traces the journey of OM Shashtri, an American citizen of Indian origin, who loses all his wealth overnight to the global recession & has been asked to vacate his home by the bank unless he pays up $100,000 (mortgaged amount) within 30 days. Seeing no other option Om comes to India to sell a small piece of an ancestral property. But within days of landing in India he is kidnapped by a 'recession-hit' underworld gang those who think that he is still a millionaire. What happens to Om, is he able to save his home, how did the 'poor' gangster cope with their 'poor' catch & what do small town Indian gangsters have to say to President Obama...is largely forms the rest of the story. The film, showcases how global recession/ meltdown impacted lives from an America based businessman to underworld dons in the dusty plains of small town India.
-6
A mysterious shooter randomly kills innocent citizens in public; one after the other in broad daylight. All murders happen not far from the White House; not far from the President.
-4
Texas filmmaker Kevin Booth delves into a world of deceit and corruption controlled by a drug dealing government who's only allegiance is to its corporate masters.
-1
When Hikari was little, she and her father liked to watch professional wrestling, and she became very good at it. She is the pride of her family until she is introduced to Kei, the son of her father's friend.
3
Some twenty years ago Sarita promised to raise her husband's love child (Shalu) together with their own daughter (Nimmi). The girls grow up as the best of friends but Sarita has never been able to forgive Shalu her background. It doesn't make it better when she sees Shalu getting close to the man Nimmi is also in love with.
5
Adam Ferrara brings the stage to life with his honest, clever, and fearless, perspective on family, relationships and himself. He has an innate ability to draw you in with thoughtful laughter that exposes the sharp truths behind his comedy. Absolutely hilarious!
6
An aspiring pimp struggles to make a mint after inheriting his late uncle's escort service and discovering that competition on the streets is fierce.
-2
Paranormal follows best-selling, self-made novelist Greg Evans struggling through the worst case of writer's block in his award-winning career. In a desperate search for inspiration, Greg quickly finds himself immersed in a world he is not prepared to face. Turning to a group of Paranormal investigators, Greg and the ghost hunting team search for proof and answers, yet are unaware they are about to have an experience of a lifetime! None will leave the way they came. Paranormal will peel back the supernatural curtain to reveal how the TRUTH will EXPOSE the darkness!
-2
Sanjay and Anjali are childhood chums . When Sanjay's roommate Ria questions him whether he has fallen for Anjali he vehemently denies . But the truth that he indeed loves her hits him like a ton of bricks when Sanjana calls him to tell that she is getting married to Rohit. Sanjay wants to win Anjali's heart at any cost and sets off on his "noble" cause of stopping the marriage.
1
Paul Reynolds is a Gatsby-like figure: owner of a magnificent house, the host of great parties, and a collector of interesting people. He persuades Lizzie Thomas, a secretary at a local estate agent's, to come and work for him as his assistant, to bring some order to his chaos. He inspires her with his enthusiasm and imagination, and frustrates her with his apparent carelessness and destructiveness, which culminates in her calling the police as one of his parties is attacked by local troublemakers, seemingly with his tacit approval.  But their paths are destined to cross again and again as Lizzie, with the help of some of the people that she met at Paul's house, rises through the changing landscape of corporate Britain. This is the tale of a meaningful and powerful relationship that isn't a love story; it's about those rare people who profoundly influence and shape our lives.
6
Steve Byrne has established himself as one of the premier stand-up comedians of his generation. In his second one hour special, Steve asks the universal question "Who are you?" The result is a poignant, inventive, and immensely funny look at how we identify ourselves in America.
2
Joey (Scheina) is a big Hollywood action star and a martial arts champ.  When he gets invited to be a celebrity judge at friend and mobster Molnar's (Jones) request he falls for Molnar's Number One Girl.  She is strictly off limits and so Joey must engage in a duel to the death with Molnar and his five bodyguards.
-4
The rise and fall of the Freeway Boyz, These group of young men sold millions of dollars of drugs in the streets of South Central Los Angeles, and inadvertently financed a CIA private war in Nicaragua.
-1
Brijes are magical animal spirits that have been in contact with human beings since the beginning of time. Every human had his brije: The human cared for his brije and vice versa. When the human turned 13 the old shamans performed the ritual a synchronizing ritual trough which the human and the brije were able to transform into the warrior form: a physical state in which the human acquired the powers of his brije and extraordinary strength needed to perform acts of heroism. Unfortunately hundreds of years ago, with the birth of modern science and technology, this union was severed and humans stopped believing in magic.
2
Plagued by flashbacks of a violent home invasion, Laura Benson is on the brink of a nervous breakdown. Looking for a fresh start, she and her husband sell their house and relocate to a seemingly idyllic gated community. But, little do the Bensons know, evil not only dwells in the neighborhood...it lives next door. As strange and terrifying events unfold, Laura doesn't know whether her sinisterly sweet neighbor is to blame, if she's been targeted for revenge...or if she's losing her mind.
-6
This documentary on The UFO Phenomenon aims to show that some UFOs may be extraterrestrial and that secrecy and ridicule are regularly employed to keep the truth about UFOs hidden.
-1
Two police detectives must protect a beautiful call girl from mob hitmen and a crooked cop.
1
A blend of reality and fiction, "Open Five" follows the story of Jake, a struggling musician and his sidekick, Kentucker, a maker of "poor" films and what happens when two girls (Lucy and Rose) venture down to Memphis for a long weekend.
-3
When a young drifter is forced to stay the winter in a small seaside town, he inadvertently becomes the catalyst for deceit, double crossings and murder amongst the locals.
-2
Street tough Zamir has been in love with Kim ever since he rescued her from rapists, but the only way that he can express his affection is to attack any man who shows interest in her. Kim tolerates Zamir's infatuation, but keeps him at arm's length. When Max Kalba arrives in town to take vengeance on Kim's father, Zamir attempts to rescue her once again.
1
The surreal comedian performs his stream of consciousness style of monologue on his latest live outing. Eddie ponders among other things, the history of the world, cows in cars, and the existence of God.
1
In order to free themselves from debt, a husband and wife plan to fake the husband's death but the scheme goes terribly awry.
-3
Eddie Izzard brings her wry wit and absurd observations to a sold-out crowd of 44,000 over 4 nights at the Wembley Arena in London. Eddie deals with important issues ranging from Medusa's hair care, fighting sharks, dentistry, and the universal hatred of houseflies.
-3
THE DOCTOR, THE TORNADO & THE KENTUCKY KID is the electrifying follow-up to Mark Neale’s 2004 MotoGP smash hit FASTER. Narrated by Ewan McGregor, the movie tells the story of the biggest motorcycle race in American history, the 2005 Red Bull U.S. Grand Prix at Laguna Seca, California. It’s a tale of extraordinary characters chasing a dream in the face of real danger, under unimaginable pressure, with no margin for error. For lovers of maximum adrenaline action, this is the pure, unadulterated, 100% genuine article.
2
Vikram (Mohammad Iqbal Khan) and Ajay (Anuj Sawhney), and an accomplice, John D'Souza (Paresh Rawal), become prime suspects, and are on the run. They must apprehend Chindi and recover the crown to absolve themselves of this crime. While being chased by security guards, the trio crash into a wall, and are transported back to the 10th century, straight into the palace of Emperor Babushah himself.They realize that only a miracle can get them back to the 21st century.
-1
The Eds embark on a trick-or-treating adventure, hoping to find a place called "Spook-E-Ville" in this Halloween special.
0
Luke and Lucy, two inseparable friends, have to help out the Texas Rangers to prevent Jim Parasite from taking over the world.
-1
The path of a street fighter and a dancer on skates, who are in love, is paved by friendship, grit and hope.
1
3 locations, 760 hours of investigation, condensed into a hair raising 90 Minutes! The most thorough paranormal investigation ever conducted! A location so active as exorcist had to be flown in! With its violent land lawless past, Old Town Saginaw may be one of the most haunted places in the United States. Running through Old Town like a main artery is the infamous Hamilton Street. What will investigators uncover amongst the centuries-old structures? What lurks in the shadows awaiting them? Watch the disturbing evidence unfold as investigators spend an astonishing 24 months exploring prohibition-era tunnels, a former mortuary and a hotel/saloon inhabited by a malevolent demonic entity. Witness the most thorough paranormal investigation ever conducted!
-4
After a brutal divorce, a mother and her son relocate to the Blue Mountains to run a Bed and Breakfast.
-1
Sakhi, a car company manger, falls in love with Priya, a model. They decide to get married, but their different family backgrounds seem to ruin their relationship.
-1
Director James Fox assembled the most credible UFO witnesses from around the world to testify at The National Press Club in Washington D.C.: Air Force Generals, astronauts, military and commercial pilots, government and FAA officials from seven countries tell stories that, as Governor Fife Symington from Arizona stated, "will challenge your reality".
1
The Shaolin Warriors is a Chinese television series directed by Raymond Lee and starring Sammo Hung, Cui Lin, Christopher Lee, Li Man, Sammy Hung, Cui Peng, Liu Ying and Jeanette Aw. The series was first broadcast in November 2008 on CCTV-8 in mainland China.

It is the first wuxia drama to filmed in direct collaboration with the world-famous Shaolin Temple and features some rarely seen martial arts techniques.
-1
Discover how television has reflected the African American experience in this retrospective of the medium's first half-century. Actors, writers and historians discuss the image of black America on television from Amos and Andy to the present day. The interviews accompany clips from groundbreaking shows and performances by entertainment pioneers that create a timeline of the portrayal of African Americans throughout TV history.
1
"Boyz N the Hood" meets "Blood In, Blood Out" in this gritty tale of life on the streets of East L.A. Danny (Jacob Vargas), Alfonso (Greg Serano) and Raymo (Clifton Collins Jr.) are lifelong friends who have spent their days hanging out and playing basketball. But everything is about to change...when one of them gets involved with a dangerous drug dealer, all their lives are at risk and they must make some life and death decisions.
-4
Four characters living in one neighborhood in London - all living dramatically different lives, all of them on the edge - see their stories unfold.
0
Arasu movie is the story of Thirunavukkarasu(Sarathkumar) who is a mild mannered, quiet man, arrives at the agrahaaram in Kumbakonam to take up the job of handling accounts at the temple. He is helped by the family of Velu Shastri('Delhi' Ganesh) and Velu Shastri's daughter Meera(Simran) falls for him too.But news of a dangerous rowdy being released from a nearby jail brings out the real Arasu - a man who is out to take revenge on the men responsible for several atrocities, including the murder of his parents(Sarathkumar and Roja).
-3
When a car accident lands her husband, Kaushik, in the hospital, Kaberi's life takes a dramatic turn -- in more ways than one. Anguish over Kaushik's dire condition gives way to anger when Kaberi learns he was having an affair with his co-worker. Torn between sympathy for her bedridden husband and the sting of his betrayal, Kaberi weighs her options.
-5
Nandha returns after serving his term for killing his father. Although he killed him to save his mother, she does not forgive him. He is then taken in by Periyavar, who shelters Sri Lankan refugees.
-2
A 2010 Indian fantasy film featuring spirits, giant snakes and a transforming car. The film was simultaneously made in three languages: "Kutti Pisasu" in Tamil, "Bombat Car" in Kannada and "Cara Majaka" in Telugu. The Tamil version was dubbed in Hindi as "Magic Robot" and in Bengali as "Robot – The Wonder Car".
2
Eduard Zuiderwijk (Marco Borsato) runs a restaurant in Africa. When his wife (Ricky Koole) suddenly dies, he is left to take care of his son Thomas (Siebe Schoneveld) on his own. When his son's best friend Abu (Andrew Kintu) is abducted by a rebel leader to be trained as a child soldier, Eduard goes in pursuit to save the boy and regain his son's respect.
2
The story of the sinking of the Lusitania in 1915 after she was torpedoed off the Irish coast. The story is told from the perspective of Prof. Holbourn (a passenger), the German U-boat and its captain and crew, and other passengers, crew and Admiralty staff
-1
Madhoshi is a 2004 Bollywood film. It is directed by Tanveer Khan and stars Bipasha Basu, John Abraham, Shweta Tiwari and Priyanshu Chatterjee.  Anupama Kaul (played by Bipasha Basu) is a woman whose sister lives in New York. One day she gets a call from her sister and while they are talking on the phone, her sister is killed by the 9/11 attacks. Anupama is devastated. A few years later Anu is happily engaged to Arpit Oberoi (played by Priyanshu Chatterjee); then Arpit leaves for America for business reasons and Anu is wooed by a man named Aman (played by John Abraham).
-2
Eddy, sick of getting cheap presents for Christmas, plans to get adopted by one of the neighborhood kids so he can mooch off of their presents.
-2
An ex-convict's mother's worst suspicions about her son are confirmed when he is implicated in a murder
-3
Former champion boxer Orlando Leone (Carmen) is "The Preacher" at an inner-city youth center. Wanting to give something back to the community, he bought a large building for a church youth center. But the cash ran out before he could finish fixing it up and now, the mortgage company is about to foreclose. With his bills mounting he agrees to one last fight.
1
Saravana and Krishna are close buddies in college. Saravana sees a video tape of Krishna's sister Sadhana studying in London and falls in love with her. So to meet her, Saravana goes with Krishna to a village near Tirunelveli where he finds that there is a bloody war going on between two warring caste groups. Krishna's brother Soundarapandi his wife and Krishna are killed by the rival group of Dorai Singam. However Saravana saves Sadhana and takes her to Chennai. Initially Sadhana is not accepted by Saravana's large family but slowly when they come to know about her background they support and love her. The rest of the film is how Saravana tries to help Sadhana to go back to London, and in the process eliminates the entire gang of Dorai Singam single-handedly.
-2
A young groom and his best man lost on the road trip to the wedding, run into a young English doctor. Set against South Africa's breathtaking landscapes, White Wedding is a high-spirited modern-day road comedy about love, commitment, intimacy, friendship, and the unbelievable obstacles that can get in the way of a fairy-tale ending.
3
A young serial killer preys on families during lightning storms.
-1
Two feuding neighbouring families are brought together to celebrate the wedding anniversary of Vishnupratap Singh (Vikram Gokhale) and his wife (Farida Jalal), much to the dislike of Rudra Pratap (Sharad Kapoor). During this get together Abhayendra Singh (Fardeen Khan) falls in love with Mangala Solanki (Richa Pallod). Abhayendra comes to know of the background of the two families' feud, and makes attempts to reconcile the two families - with disastrous results.
0
People full of problems...a lake full of piranha!
-1
About the relationship between Dean, a young deaf man who is accused of murdering his flatmate, and Penny, the sign language interpreter assigned to his case.
-1
The Rubbadubbers is a British stop motion animation children's show from Hot Animation which is owned by HIT Entertainment.
1
Ping is a chihuahua rescued from the pound by nearsighted Ethel, who thinks he's a cat. When a pair of bumbling thieves try to break into Ethel's house to steal the money they think she has stashed away, only Ping can foil their plans.
-2
Oxygen Network-revival of the classic CBS celebrity panel game show of contestant secrets.
1
In a psychiatric hospital, a junior doctor is treating a young black man diagnosed with Borderline Personality Disorder. The patient is having a final interview with the doctor, who has invited his mentor to sit in on the session. He is concerned that the diagnosis is inaccurate and would like the patient hospitalised for longer. The senior doctor, however, disagrees.
-1
At a prison in the high desert foothills of the Colorado Rocky Mountains, hard-core criminals are given 90 days to tame wild mustang horses. Most of the inmates who volunteer for the program have never trained a horse before, or even ridden one.
-5
Made to celebrate the 250th anniversary of Mozart's birth, IN SEARCH OF MOZART is the first feature-length documentary on Mozart's life. Produced with the world's leading orchestras and musicians, told through a 25,000 mile journey along every route Mozart followed, this detective story takes us to the heart of genius. Throughout, it is the music that takes center stage, with the jigsaw of Mozart's life fitting around it. With rigorous analysis from musicologists and experts such as Jonathan Miller, Cliff Eisen, Nicholas Till, Bayan Northcott and the late Stanley Sadie, a new, vivid impression of the composer emerges. It dispels the many common myths about Mozart's genius, health, relationships, death and character, to present a new image, very different from Milos Forman's 'Amadeus'.
3
Saravanan comes to Singapore for a job but lands in trouble, loses his passport and is on the run. Desperate to get back home, he accepts the job of taking a girl to India in return for a hefty sum.
-4
A businessman who wants to be rich loses out on family and social life. He marries a girl who loves him only because she would prove profitable to his business. He realizes what he lost after the death of his mother.
-1
In 1968, Shirley Chisholm becomes the first black woman elected to Congress. In 1972, she becomes the first black woman to run for president. Shunned by the political establishment, she's supported by a motley crew of blacks, feminists, and young voters. Their campaign-trail adventures are frenzied, fierce and fundamentally right on!
-2
Actor-comedian Hal Sparks performs a stand-up set from the OC Pavilion in Santa Ana, CA, where he beefs about America's sacred cows, challenges the idea that men and women are different and riffs on people from rural areas and non-smokers.
0
Shiva, a bus conductor, robs the corrupt in order to fund an organisation that aids those with disabilities. To avoid detection and trial, he pretends to be his twin, who has disabilities.
-2
Unemployed Shakthi Singh lives a poor lifestyle along with his widowed and ailing mother and a sister. His mother falls ill and gets admitted in hospital. While on his way to an interview with HSBC, Shakthi sees a beautiful girl, gets distracted and misses his bus - route No.12B. As a result he misses the interview, and ends up getting employed as a Garage Mechanic with Madan, his friend. He does meet with the same girl, gets to know her name is Jyotika, who lives a wealthy lifestyle with her mother, Sulo, while her dad is away on business. Both continue meeting not aware that her marriage has been arranged with Pratap. This story also depicts the possibility of Shakthi catching the 12B on time, attending the interview and getting hired, pursuing Jyotika in vain, and ending up in the arms of his co-worker, Priya. Both possibilities end up with Shakthi getting involved in a vehicle accident - and no guarantees that he will survive or wed Jyotika.
-4
Jamie Kennedy is hilarious as he reveals his life observations including his dating Jennifer Love Hewitt. He tells it all in this stand-up comedy special.
2
BBC miniseries adaptation. During World War II, a teenage Jewish girl named Anne Frank and her family are forced into hiding in the Nazi-occupied Netherlands.
0
A lawyer is on a business trip to St. Petersburg. When a beautiful woman on the run runs into him and asks for help, he is thrown into a dangerous world of jewel thieves and gangsters.
-1
An estate agent is forced into witness protection soon after selling the apartment of a girl who died in suspicious circumstances. However, when the deceased girl's mother is also found dead, all signs point to a murderer on the loose, and it becomes apparent the agent's new identity may not protect her from the killer.
-4
Mouse works together with his best friend Rabbit and a group of animals to solve problems.
1
Madame Amalia wants to demolish Spikersfield College. Six girls unite to save their school by competing in a volleyball tournament, while a mysterious figure uses an ancient legend to help them reach their potential.
-2
In 2008 Brooklyn has become a breeding ground for chaos, and criminal elements such as the mafia and gang lords. NYPD Detectives Christopher Perez and Steve Clarkson will work together as partners trying to restore order and balance back to the streets of Brooklyn. A new figure has emerged in the drug world. A ruthless character named Peskin), leader of a group of men bent on control of all of New York City. Willing to do anything to achieve this goal, Peskin sets out on a war against local gangs, mafia leaders, and the NYPD themselves. Clarkson and Perez must work together with federal agencies, and criminals to bring forth an end to this psychopath's terror.
-3
Two contract killers, who wish to leave the crime world, are betrayed by their boss.
-2
He was and is, without doubt, Jamaica's finest export and in this programme we can reveal for the first time the behind the scenes Bob Marley that only his closest confidantes could know. To understand more about this iconic Jamaican his long time girlfriend and Oscar nominated actress Esther Anderson describes in some detail along with exclusive unpublished home video footage, their life together at home in Jamaica and of their time spent in Hope Road, London. Of all the people who considered themselves closest to him, Esther was probably the person who knew more about the man's innermost thoughts and fears than any; so much was she in tune with him she even helped to write some of his hit records. Also featured is the last interview he would ever give in the UK when journalist Kris Needs questions him about his foot injury (the injury that would eventually kill him) plus many other topics about which Marley held strong views.
-2
In his one-hour comedy special debut, Michael Loftus takes you on a thrill ride that is modern marriage.
2
Sandra, The Fairytale Detective is a Spanish TV series. Created by Imira Productions. It is an animated program aimed at young children that attempts to combine the genres of fairy tales and detective novels. A few years back, Imira Entertainment sought a way to combine those two concepts while simultaneously creating one of the most inventive cartoons in years. Now, the company is taking its proven success and shopping it around a number of new locations, bringing Sandra to TG4 in Ireland and RSI in Switzerland. The Fairytale Detective is accompanied by her pal Fo the Elf, a 508 year old assistant who gathers Sandra’s cases, as well as Rachel, Sandra’s best pal. As if the mysteries weren’t tough enough, Markus will appear on occasion, hoping to spoil the day by bullying Sandra. Thankfully, though, Sandra always finds her way.
4
Greener Mountains is a family friendly, coming-of-age story about finding your place in the world.
1
The film starts with the story of the younger Bala Krishna (Srimannarayana) working as a college professor. As usual the best looking girl of the college (Janaki played by Sneha Ullal) falls in love with Srimannarayana (the monkish protector of justice); reasons for that are comprehendible only by someone who had seen enough Telugu films (Bala Krishna films in particular). As the first half progresses the screenplay tells us that Janaki’s and Srimmanarayna’s pasts are related and the flashback starts occupying the screen. The daddy Bala Krishna with Nayanatara next to him and Kota Srinivas Rao playing the bad guy in a war between good and evil about the welfare of the region is the film’s flashback
2
Julian, a renowned photographer who has reached forty years, he discovered a cancer that undermines their strengths and taking away all hope. But he has a dream, a vision that changed his life. He dreams of a picture that has ever taken. Julian travels to the faraway place, and find the photo, a woman and a freak accident, finding also that your life will change forever.
-2
A woman dreams of her deceased mother telling her to travel to a house in Bangkok and pick up a chest. The owner of the house invites her to stay for the night and the secrets of the chest start to unravel.
-1
The Pet Pals are put to the test when the Evil Crow Witch is determined to drain the canals of Venice. Armed with a touch of magic, the Pet Pals combine their strengths to uncover the secret code before the Evil Witch does.
-2
Danny Marrs, a young huckster from small town America, arrives in Hollywood with a line of patter and a wannabe actress girlfriend. Things turn interesting when he meets Joe, a janitor who does great impressions and loves old movies.
2
Documentary about the history of one of the most powerful stories of our time, the UFO phenomenon from the dawn of the modern era through the present time.
3
Singer, songwriter, business man, family man, civil rights activist: Sam Cooke transcends all barriers of race, faith and talent.  This first-ever biography of the definitive soul singer looks at his extraordinary career and personal life - from his gospel-singing roots through his R&B and pop music career.
4
Everybody and their brother in Little Italy has a story. But few bring together a celestial event, a one of a kind ring, a mysterious man in a white suit, petty jealousy, loving larceny, a would be gondolier, a duel, and a very full spittoon. Eight people's lives are about to change as Jupiter and Venus come together in the night sky for a once in a lifetime event. A Taste of Jupiter is a whimsical romance set under the stars.
-2
Indian Telugu language film from 2008.
0
Michael Caine, Robert De Niro, Jack Nicholson and Roger Moore all live on a quiet street in Surbiton and Mick Jagger and Keith Richards run their corner shop - who knew?
1
Bala, a hitman in Pasupathi's gang, is madly in love with Arthi, the daughter of a rival gangster, Jeyamani. The mentor of the two gangs encourages them to get married.
-2
In 1968 Arthur Blessitt picked up a cross. Today, forty years later, Arthur has been on every continent and island nation with his twelve-foot cross, encountering people from diverse backgrounds, sharing a message of hope and destiny - the message of the cross. This is the story of his Guinness World Record setting 38,102 mile walk across the globe.
1
When television executive Harry has a one-night-stand, his wife Gina walks out on him, leaving Harry to look after the couple's young son.
0
Dosth is a 2001 Tamil language film directed by S. A. Chandrasekhar. The film features Sarathkumar and Abhirami in lead roles whilst Prakash Raj, Raghuvaran and Indu play supporting roles. Similar to Double Jeopardy.
1
Adaptation of the book by David Almond, set in 1960s Tyneside. Two 14-year-old boys team up against Mouldy, the town bully. Turning Crazy Mary s garden shed into a workshop, they discover that the sculptures they create come to life. Together they raise a golem, a creature fashioned from clay, capable of dispatching anyone, even Martin Mould. But when Mouldy winds up dead, the boys have to deal with the awful power they may have unleashed and the perils of getting what you wish for.
-4
Barefoot Bobby Briggs, the legendary running back for the Austin Steers was today sentenced to die for his role in the armed robbery/murder at a downtown Stop 'n Go convenience store... It's five years later, and Bobby's appeals have all but run out, and the Austin Steers are - once again - on the march to the Superbowl, with a lock on the playoffs, when their wide receiver has a season ending injury. With their playoff hopes in shambles, the Governor of Texas controversially offers Bobby a furlough -- from death row -- to help rescue the Steers' post-season hopes, and even play in the Superbowl.
0
When a group of college pals retreats to an isolated cabin for a rowdy weekend of debauchery and carnal pleasures, a madman dons his creepy scarecrow costume and begins to prey upon the unsuspecting youths in unusually creative ways.
-5
A realistic character study of a young man in his early 20s negotiating a disintegrating relationship with an ambitious artist/photographer girlfriend and an ascending fling with an adventurous floater, as well as pressures from his family and society to go to college/make steps toward success, all the while becoming increasingly interested in the questionably viable life of playing guitar.
5
Mumu discovers a flock of sheep grazing in the park where he plays with his friends Milo, Rita, Talalo, Alfred and Olga, and can´t avoid compare her snowy appearance to them, the troops of cloth, fabrics made ​​of very different prints, lots of spots of all colors playing in the field and in the puddles. And feel some shame and envy of his friends of the sheep shiny. And when he discovers that these sheep are actually spotless stars that will be part of a great show, Mumu is so fascinated that he have to change what is necessary for that to become also a glamorous star. She was a very special cow can not keep wasting time with a group of friends wrong.
2
Deva a music college student falls in love with Shruthi his college mate .As both fall in love and plan to marry,a huge shock twists deva's life .
-2
Gajendra is the remake of  Telugu film Simhadri and was later dubbed in Hindi as Return of Khuda Gawah. Gajendra (Vijayakanth), an orphan, is adopted and grows up under Azhagarsamy's (Sarath Babu) family care. Azhagarsamy considers him like his own son. Kasthuri (Flora), Azhagarsamy's granddaughter, falls in love with Gajendra. Gajendra takes of a mentally ill girl called Indhu (Laya). The rest of the story is about why he took care of her.
0
Violence erupts in north Belfast when the residents of Glenbyrn, a predominantly Protestant suburb, object to schoolgirls walking through their neighbourhood from the Catholic area of Ardoyne to the Holy Cross primary school.
0
This no holds documentary chronicles the days before, during and after Hurricane Katrina. Told from the viewpoint of several families stuck in New Orleans, this moving and unflinching story says so much by saying so little. Most of this footage has never been seen by the public, and there is absolutely no stock footage used in this film.
-1
On Valentine's Day, two cupids are set to fire arrows of love at all the cul-de-sac children at their school, Peach Creek Jr. High.
2
Outgoing Meera and shy Nithya are best friends since childhood. They share an apartment together in an expansive complex. One day, handsome Venkat moves in with his grandparents, and Meera is smitten She starts to make anonymous calls to him, and he finds himself falling in love with her. A friend suggests that he use caller ID to locate her, which he does. At that time, Meera hands the phone to Nithya to run an errand. Nithya is the face he sees holding the phone, and despite being engaged to Shakti, she likes him too.....
4
The story develops around the evolution of Titli from girl to womanhood.
0
Nora Barkin is an aspiring actress who supports herself by working for a courier service. No sooner has Nora's friend and coworker Bill Reagan jubilantly announced that he possesses a lottery ticket worth 13 million dollars than Bill is killed by an unknown assailant. Though discouraged from doing so by investigating detective Marinello, Nora insists upon trying to solve Bill's murder herself.
0
Tung-Ching’s life has changed since a car accident three months ago. The lifeline on his right hand was scratched off in this incident. A nurse told him that his life is no longer controlled by fate but has become unpredictable since then.  Three months later, Tung-Ching’s father has suffered a stroke so he has to take over the family pawnshop. His girlfriend, Eiko, who is interested in palm reading, wants to retrieve Tung-Ching’s lifeline. However, Tung-Ching is apathetic to know what the future holds. He starts to flirt with one of his female customers who he names her “ Know-all”.
-4
A hard man in a hard world, Michael has a secret. Haunted by a tormented past and childhood betrayal, when violence erupts in his home the whole family fights to stop their world from crumbling. Michael goes on the run with Jamie, his young son, and his wife, Stephanie, finds her own painful childhood history repeating itself.
-6
Lovely starring Karthik Muthuraman and Malavika. Mahadevan(Manivannan) is a man who hates the very mention of the word 'love' and staunchly believes that his daughter Nivedha(Malavika) could - and should - never fall in love. But Nivedha is already in love with Chandru(Karthik). With his father becoming a business partner of Mahadevan and the rest of his family becoming friends with Nivedha's family, Chandru finds it easy to infiltrate Nivedha's home. Once there, he tries to impress Mahadevan while trying to prevent Mahadevan's friend from revealing his true identity as Nivedha's lover.
5
The past decade has not been kind to John Travolta.  It began with Battlefield Earth, and ended with the movies about the middle-aged guys on motorcycles (Wild Hogs), the middle-aged adoptive fathers (Old Dogs), the middle-aged guy who found valuable dancing shoes (Gold Clogs), the middle-aged children's book author who runs at a medium pace (Roald Jogs), and the middle-aged guys who flip milk caps in a meat storage locker (Cold Pogs).
-1
Mridul a young man comes back to his ancestral home, from abroad after 10 long years.  The last 10 years had been very unfortunate for him as he could barely make two ends meet in London, as he never could procure a permanent job. His elder brother Protul who took him there looked after him for 8 years, but the last two years saw Mridul in a disastrous state. His only source of income was playing the flute in the house of the rich and famous. So, Mridul comes back to sell off his ancestral home and with the substantial amount he hopes to go back to London, pay off his debts and start a business.
-1
Challenged by the UK's Japanese Ambassador to cook a Japanese banquet for his distinguished guests, Rick spends one week visiting Japan's vibrant fish markets and island restaurants, aiming to master the art of cooking fish - Japanese-style. Japan is arguably the ultimate destination for serious lovers of fish. Will Rick being be able to learn enough to impress all at the banquet?
6
This documentary is a visual encyclopaedia of the fighters deployed and their strategic use, by both Allied and Axis Forces during the Second World War. The programme includes detailed accounts of the Spitfire, Hurricane, Mosquito, Messerschmitt Be 109, Focke Wulf Fw 190, Mustang, Lightning, Thunderbolt, Corsair, Kittyhawk, Beaufighter, Typhoon, Defiant, Wildcat, Messerschmitt Bf 110, and more.
-1
A one-hour rough-cut of Eddie Izzard's Dress To Kill show in Paris (spoken in French). Previously released on the Dress To Kill DVD
-2
A man arrives, suddenly, in Pittsburgh and falls for a woman he meets on the street. Only, his past life isn't willing to let him go without a fight.
0
The Cut delves into the sometimes murky world of Telford Sports Management run by rogue sports agent Bill Telford, and his hapless son Andrew.
-3
Film starring Sivaji, Ajay and Ali
0
Restoration, Restoration, Restoration is a set of BBC television series where viewers decided on which listed building that was in immediate need of remedial works was to win a grant from Heritage Lottery Fund. It first aired in 2003.

The host of all 3 series is Griff Rhys Jones, whilst investigating each building in the heats are the show's resident "ruin detectives", Marianne Suhr and Ptolemy Dean.
1
Chatrapathy movie tells the story of Saravanan(Sarathkumar) who works as the bus driver for a ladies college and Nikitha, one of the college students, has fallen for him. When four goondas belonging to a caste-based political party get off easy after causing the death of a young woman, Saravanan takes justice into his own hands and kills them.Eventually we learn of his past as Chatrapathi, a decorated major in the army and the reason behind his enmity with Chakravarthy(Mahadevan), the leader of the same political party.
-2
Tulley, a once-promising literary star now biding his time as an advertising copy editor, moves from cynicism to acceptance as he secretly hopes to write a great novel only to learn that his life of booze will end all too soon. Levine, his best friend and Natalie, the woman who might have saved him, suffer the pain of Tulley's anger and rejection.
-3
Inspired by the true story of the most publicized and deranged serial killer known to everyone as "The Night Stalker."
-1
A Canadian television director is hired to salvage an international fishing show in Scotland. The only hitch: his ex-wife is the host. What he finds in Scotland is love in the form of a local fishing guide (called a ghillie) and the chance to repair his life and his friendship with his ex-wife with whom he had a child who died.
0

0
Stand-up comic Pablo Francisco may be the most outrageous comedian in the country with sold-out concerts and a cult fan base that's exploding worldwide. No topic is off limits in this no-holds-barred look at movies, music, video games and celebrity. See what fans who know him from MAD TV, The Family Guy and HBO are talking about in this original live concert that's amust-have for any comedy fan.
-3
Jana always stands for his villagers, against the atrocities committed by Veerapandi. Manimegalai, Veerapandi's daughter, falls in love with Jana, but is stunned when she learns about his past life.
0
A sensationalist TV producer has a novel new idea to shake up American reality TV: Citizen Verdict, a live show where accused criminals are tried and potentially convicted by the viewing public.
-2
From the darkness of Hitler's Europe to the mountains of the Catskills, Four Seasons Lodge follows a community of Holocaust survivors who come together each summer to dance, cook, fight and flirt-and celebrate their survival.
2
Highly cinematic documentary charting a macabre mystery that unfolds as the lives of a handful of starkly different, seemingly unconnected characters are intimately drawn together by a shocking crime involving over a thousand mutilated corpses in a tale of twenty-first century body snatching in the city of New York. Much was written about this notorious crime but little understood about the hidden, yet legal, tissue transplant industry that spawned it...until now. With exclusive access inside maximum-security prison to the man the NYPD labeled "Public Enemy No.1" this film charts how a former surgeon went from saving lives to ripping them apart.
-9
Pete Correale was named one of the top ten comics to watch by Entertainment Weekly in 2008. His affable New York charm and hilarious tales of life and love of the "everyman" put him on the path to comedy stardom. You've seen Pete's breakout performances on "The Tonight Show with Jay Leno," "The Late Show with David Letterman," and Comedy Central's "Premium Blend." He has performed at all the major comedy festivals, including Montreal, Aspen, and Kilkenny, and can be heard daily on the Sirius Satellite radio show "Breuer Unleashed."
5
Vanessa, a runaway bride, and Emanuela became friends on the ferry to a tourist resort. Together they will take part of the chaotic life of the resort.
-2
Mild-mannered computer consultant Norman Neale has two great loves in this cruel world: Comic books and his office's effervescent main receptionist, Andrea Hicks. Norman spends his days dreaming of Andrea from the isolation of his cubicle and his nights dreaming of fighting crime from the solitude of his apartment. Then one fateful day Norman discovers that a fellow co-worker, Victor Ventura, a swaggering, pretty-boy salesman, has slight telekinetic abilities beyond his understanding. After discussing his mind-blowing discovery with his only friend Chuck, a know-it-all comic book store owner, Norman comes to the outlandish conclusion that he should train Victor to become a real-life superhero by helping him refine and expand his extraordinary ability.
2
The harrowing tale of a South African street-kid's search for love, based on Dickens' classic story. Growing up neglected in a rural orphanage, Twist escapes to the unpredictable freedom of Cape Town, where he falls in with Fagin's gang of street urchins. With a gritty honesty steeped in its vibrant characters, Boy called Twist superbly captures the contemporary equivalents of Dickens' seedy individuals as it shadows the timeless tale in its own inimitable style.
-1
Ed (Pras from the Fugees) enters college on a track scholarship to escape some thugs from his past. Campus life, however, is filled with hurdles, and Ed's stoner roommate, Bud (Aries Spears), makes it hard not to fall back on old habits. But Ed's romantic interest, Lisa (Leila Arcieri), provides the incentive for Ed, if only he can win her away from her jock boyfriend, Craig (Hill Harper).
-1
Russian comedian Yakov Smirnoff examines the differences between men and women in this one-man show.
0
A man saves the son of a local don from rivals, and gets a job in the don's gang. Things change when he falls in love with a girl who wants him to quit the gang.
-1
This film highlights moments in the long and rich African American cinema history in relation to social and political events, and how it affected Black viewers of the time.
1
Abdul Rahman, an African prince who was sold into slavery, spent four decades in servitude before an amazing coincidence took him to the White House to meet President John Quincy Adams, where he was granted his freedom. Mos Def narrates this PBS documentary that includes reenactments of scenes from Rahman's life and interviews with historians who discuss the conditions faced by slaves in early America.
0
Fifteen years ago, Edwin went to clown camp to fulfill his lifelong dream of bringing laughter to the world... but nobody laughed. Humiliated on graduation night, Edwin viciously murdered the entire camp before vanishing into legend. Now, despite the warnings of the town drunk, old man Bonzo has reopened the ranch and a new class of clowns have unwittingly signed up. When their die-hard instructor Sgt. Funnybone (Miguel Martinez, The Donor Conspiracy) is found dead in a puddle of cream pie and blood, the curriculum changes from comedy to survival! Edwin slashes, stabs, strangles, and disembowels the clowns while laughing insanely at his own bad jokes.
-9
Ramana decides to abolish corruption once for all with the help of his students who are now working in various government offices.
-2
With dreams of becoming the next big action film hero, struggling actor Razor Sharpe (director Troy N. Ashford) takes a bit part in a movie with a bank robbery scene, only to discover that the heist is real -- and that he's been set up to be the fall guy. Now wanted by the law, the hunky hero sets out on a journey filled with nonstop martial arts mayhem to find the crooks who framed him. Michael Smalls and Kevin Kilgore co-star.
-1
Semu Fatutoa drives a taxi in Honolulu, Hawaii, slowly forgetting his old life as a tribal Chief in Samoa. Little does he know, his old life is looking for him.
-1
Well-meaning Tariq (J. King) looks to escape his job as a mechanic and car thief for a mobster, Gresh (Lawrence Winslow), after he meets the lovely Robin (Portia Coe). But Gresh needs Tariq more than ever because he's become involved in the dangerous underworld of pit bull fights. To assure Tariq's cooperation, his new family is jeopardized, emotionally and physically.
0
The story of a young Colombian recruit who, while patrolling his country's border, is befriended by a Venezuelan adversary, and the tragic consequences of their relationship.
-2
FILTHY McNASTIEST goes beyond the previous films and introduces D'artagnan, who proves that the female is indeed the deadliest of the species!  She grants Clavell's desire to satisfy his lover in one area where he's coming up "short" with hilariously over-the-top consequences!
1
A man's surreal, nightmarish descent into madness.
-1
This outrageous standup performance documentary, premiering on Comedy Central, spotlights a category of black comedian rarely witnessed: the nerd variety.
0
Frame 313 examines several theories that have been offered about who was responsible for the JFK Assassination including the single bullet theory, the CIA/Mafia theory, the Soviet Union/KGB theory, the Mafia hit theory, and the CIA/Anti-Castro theory.
0
Sharkey, part of the sinister world of child trade, picks up Vlado, an orphan of war, dreaming of freedom and a better life. They embark upon a strange and enlightening journey through war torn Bosnia. As they struggle to get out of the country and fight to stay alive, they find a special love and compassion from which emerges their ultimate moral and spiritual redemption.
2
The story follows the obviously psychotic Katiebird immediately after the death of her father.
-1
Arjun and Archana manage to find a baby for a crucial advertisement in order to help their boss from a financial crisis. However, they are shocked when they learn that the baby is an abductee.
-2
Kyle is the art director at the High Museum in Atlanta Georgia. He wants two things in life, a male child and a van Gogh painting valued at 275,000. His wife Brandy cannot conceive so he plans a camping trip where he will have her killed and hung to make it look like a racially motivated killing so he can collect the 500,00 insurance policy which will enable him to get what he wants. Of course, things don't go as planned.
-1
Another year and another amazing Crusty adventure. This time we feature the world's best fmx riders going head to head for the world's most mind blowing world records. From double back flips to insande long distance jumps, the Crusty team travels the world through the extremes of Alaska, the head of Mexico and some of the best secret riding compounds of the world. Also journey throughout Australia
3
Three men share nothing but the same name: Angel Flores Fuentes. When a woman in search for her lost true love opens the telephone book, she has no option but to send a desperate love message to the three, hoping to obtain a response from the "real one". The men who are not the "real" Angel Flores Fuentes, believe that the message was left by a different woman, their own lost or impossible love.
1
In late 1955 and early 1956, the citizens of Boise, Idaho believed there was a menace in their midst. On Halloween, investigators arrested three men on charges of having sex with teenage boys. The investigators claimed the arrests were just the tip of the iceberg-they said hundreds of boys were being abused as part of a child sex ring. There was no such ring, but the result was a widespread investigation which some people consider a witch hunt. By the time the investigation ended, 16 men were charged. Countless other lives were also touched.In some cases, men implicated fled the area. At least one actually left the country. The investigation attracted attention in newspapers across the nation, including Time Magazine. The "Morals Drive" left scars which remain to this day.
-3
García has managed to accomplish his wedding promise to his wife, Amalia: buy her a wretched farm outside the city, which is far from his wife's dream. But life turns unexpectedly as he arrives home and finds Amalia missing.
0
James Nesbitt plays radiographer Joe Keyes. Late one night he is travelling home by train when he sees a young girl, Alice (Emily Bruni) being chatted up by two men. When the banter becomes threatening Joe is unsure whether or not to intervene. When he reaches his station he glances at Alice who seems to be appealing for his help. Now he faces a dilemma. Should he stay on the train and get involved or get off and go home? Joe chooses home. His actions result in terrible consequences for Alice, his wife Helen (Siobhan Finneran) and his two children - but most of all for his sense of identity. Writer Tony Marchant says; "A man makes a fateful decision that systematically takes apart his authority as a husband, a father and a man. It's ultimately about how hard it is to be good and do the right thing.
-3
Nell is a young mother convicted of accidentally killing her alcoholic husband. When given the opportunity to serve his sentence as a forest firefighter, demonstrates his courage and discipline in an exceptional way.
1
Paul as a young boy witnessed the notorious hit man “The Snake” kill a few lowlifes and since that moment he has dedicated his life to cleaning up the streets of all evil doers. Helping Paul with contract killings is his best friend George who has been having an affair with Paul’s wife.
-1
Funny is the only word that truly captures John Heffron (well, MESSY if you ask his wife). Hailing from the small town of South Lyon, MI (Detroit just sounds tougher), John's middle class upbringing has shaped his comedic voice. His attention to detail and his ability to poke fun at those things that make each of us a little crazy is what has made this stand-up veteran a favorite on stage. When John opens his mouth, you will immediately wonder if he has been spying on your life. Whether talking about your childhood or living in your marriage...he just knows what makes us tick. Truly a talented comedian on every level, give yourself the gift of John, sit back and enjoy.
4
Aalamarathaar (Radha Ravi) is dreaded by his enemies in Aattuthotti in Madurai. He involves in ‘katta panchayat’ but strives to do his best for the people in the neighborhood. He is adored and respected by everyone there.  He is assisted by his son Azhagar aka Kutty (Harikumar) and his son-in-law. There is Gomathi (Karthika Adaikalam), Kutty’s niece who loves him madly which Kutty does not reciprocates. There are local MP Cutout Ganesan (Kathal Dhandapani) and DIG (Raj Kapoor), both keen to bump off Aalamaram and Kutty.
1
A contemporary retelling of the parable of the prodigal son set in the world of Texas high school basketball.
0
JFK enjoyed a number of sexual liaisons that could have ended his political career, but his brother Bobby always managed to keep the truth from the press. This explosive documentary focuses on four women who could have ended JFK’s presidency, and the deal the brothers made with J Edgar Hoover to stay in power.
0
Thiruttu Payale movie revolves around Manickam (Jeevan) who belongs to a poor family in a village. He does not respect any of his family members, except for his uncle (Vinod Raj) who lives in Chennai. He decides to come and stay with his uncle at Chennai.Once while he is watching people playing golf, he notices Roopini (Malavika) And Santosh (Abbas) having an illegal relationship. He manages to capture the same in his video camera. Roopini is the wife of a rich businessman (Manoj K Jayan).Manickam blackmails Roopini and extracts money from her whenever he needs. Once...
-1
An adaptation of the bestseller of the 1980s by Martin Amis
0
This documentary chronicles the story of Darrell Night, an Indigenous man who was dumped by two police officers in a barren field on the outskirts of Saskatoon in January 2000, during -20° C temperatures. He survived, but he was stunned to hear that the frozen body of another Indigenous man was discovered in the same area.
-2
Raghavan (Sarathkumar) and Velu (Vadivelu) work as cooks in a non-veg hotel. Raghavan loves Geetha (Kiran) who is the daughter of a rich man (Vijayan), but her father is against this love and insults him as a poor man. Raghavan challenges that he will be rich in a year. There is a subplot in the story, for Meenakshi (Sharmili), a daughter from a rich family; she is the apple of the eye of the family. Meenakshi ran home with her lover Raju, who worked as a driver to her house. He tells that his friend Dinesh will help them. However, Raju escaped because he saw a bad dream where he is killed by her family as if it will happen in reality. Due to that he vanishes. Raghavan understood her plight and helps her.
3
Inspired by a true story, A Mind of Her Own tells the poignant and moving story of Sophie, a determined young girl whose ambition to become a doctor is obstructed by the fact that she is severely dyslexic. But Sophie, encouraged by her closest friend, Becky, has never been one to give up and, despite being advised by parents and school teachers to be realistic and pursue something less academic, she puts herself through college and university, in the process achieving a first class degree in biomedical science and a PhD conducting research into post trauma regeneration of the spinal column which ultimately leads to her achieving worldwide recognition for her work and helping to develop a cure for paralysis. Written by Owen Carey Jones
4
Cole goes on a trip to work on a novel. Then he comes back.
1
Discover the excitement of flying as we reveal the most remarkable aircraft ever built and the aeronautical advancements that shaped flying history in Flying Through Time. Audiences will marvel at historic airships, be wowed by war planes and delight at luxury jetliners.
6
Sundararajan comes to Chennai from Coimbatore on his way to Saudi Arabia. He is received by Marthandam, a veterinary doctor, who is going to marry his sister soon. After the travel agent informs Sura that he cannot taste liquor or women in Saudi, he, along with Marthandam, goes to a wine shop to have the last gulp. It’s a dry day thanks to elections. Though disappointed, Sura is determined to taste the ‘quarter’ and starts his journey to various places in Chennai where he is told that liquor would be available. He goes to a politico who supplies wine for votes, a star hotel, an Anglo-Indian group of youngsters, a fish market, a gambling den, a kulfi shop and a brothel house among other places, all in search of ‘quarter’.
0
King story evolves around Raja, a business management student and professional magician living in Hong Kong with his single-father, Shanmugam, who he loves a lot. Then one day, they end up in a car accident, and when Shanmugam is in need of blood, he is given an unanalyzed amount of blood which was infected with multiple sclerosis.Dr. Cheenu suggests to Raja that he take his father to his old home in India, and to keep him happy for the last 2 months of his life. It is then that Raja finds out that Shanmugam was exiled from his home 25 years ago because he had...
1
Kizhakku Kadarkarai Salai
0
Mayilsamy (Sathyaraj) is a petty thief who is determined to make it big in life, by hook or crook. Even it means going through a marriage with a stranger, a trusting village belle, Pappu (Devayani), deserting her soon after and warming his way into the heart of Puppy (Mumtaj), a wealthy heiress. Of course, he realises his folly by the climax.
-1
Ganga is sexually molested, assaulted, tortured and killed by a goon employed by Pagla Jaan, a Kolkata-based notorious gangster, whose wealth, power, and influence are beyond imagination. Deva undertakes to locate the killer, succeeds in his mission and beheads him publicly. Deva does not know that soon his friends' and family's lives will be endangered, and he, himself, will be hunted down - not only by an enraged Pagla Jaan and his army of goons - but also by the Police.
-7
A retired policeman, Devanathan, begins a new life with his family (which includes his brother and his wife) to keep his past. Devanathan's daughter Anita is a teenager, and his son, Ashwin, is a troubled young man. One morning, a young man named Daniel arrives with a recommendation letter from a priest. One day Devanathan gets into an argument with Ashwin, who goes to Daniel's office. Daniel behaves insanely and begins hurting himself. In the hospital Daniel begins dreaming about Abhirami, threatens Ashwin with a knife and cuts himself. Later, Daniel starts a fire in the house. Ashwin is taken to a mental hospital. Daniel disguises himself and spies on Devnathan's sister-in-law when she is bathing, thinking it was Devanathan. When riding her bicycle, Anita discovers Daniel's motorcycle and is shocked to see Daniel performing rituals for Abhirami.
-4
J.T. Hope, a former police officer and marine, owner of a ranch called "Circle Hope Ranch" decides to start a program for troubled teens on his ranch to help rehabilitate them and help them get out of the life of crime, drugs and other bad things. Hope starts the program and 3 boys are brought in to the new program. J.T. has 2 good friends who work with him on the ranch, Shorty, and Colt Webb, a former juvenile delinquent who was given a second chance with the help of J.T. Hope.
-2
Comedy - Young Noelle has left the confinement of the mother's home, and the tutelage of Pastor Jones to face a new chapter of her life. Now as she heads to college, she faces new challenges. - Paige Barton, Sid Burston, Ahnaise Christmas
0
An honest police officer who has taken an oath to clean up society must make some hard decisions when his friend becomes a criminal.
0
An Indian engineer from America, visits his village on an assignment. There, he gets embroiled in the mystery and suspense surrounding his ancestral house and the mango factory in the village.
-2
An underground terror group led by a mysterious proxy Akash recruits unemployed youth and turns them into suicide bombers. Asst. Commisioner of Police Parashuram decides to take the case (and the film) into his own hands in a fit of patriotic fervour. In a subsequent fit of wisdom, he hides a key witness at the home of his flaky fiancee, thereby endangering both and his anti-terror mission in general
-2
The story of a group of friends whose devotion to each other is tested when one of them is raped, and another one is murdered at a weekend party. Now they are forced to take the law into their own hands.
-1
A notorious grave robber Dae-chool, recently stole a precious Buddha statue. However, two kids Ji-min and Byung-oh steal it from him for fun. Dae-Chool tricks the kids telling them that he is a special agent from the Ministry of National Treasures, and persuades the kids to help him "in the cause of justice". As they experience one mishap after another, the kids and Dae-chool form a family-like relationship.
-2
Charles and Deborah act just like any normal suburban couple would, they have a daughter who they love dearly, they fight over everything, but they also generally love each other. The only difference is they kill, maim, and torture people.
1
Marni's happy suburban life is shattered when her husband is murdered, amid accusations of infidelity and deception from their neighbours.
-1
Sing along with ten cool original songs as you follow these tough construction and timber trucks at work! Dig a deep hole with an Excavator. Scoop up a load of dirt with a Front End Loader. Smash up concrete with an Impact Hammer.  For kids.
1
Acclaimed Métis filmmaker Christine Welsh presents a compelling documentary that puts a human face on a national tragedy: the murders and disappearances of an estimated 500 Aboriginal women in Canada over the past 30 years. This is a journey into the dark heart of Native women's experience in Canada. From Vancouver's Skid Row to the Highway of Tears in northern British Columbia, to Saskatoon, this film honours those who have passed and uncovers reasons for hope. Finding Dawn illustrates the deep historical, social and economic factors that contribute to the epidemic of violence against Native women in this country.
-2
Rani (Ghosh) is a housewife with a successful husband, Tapas, and a kid. Living a routine existence, Rani looks after her family and attend her dance classes. One day her old friend from college Abinash (Ghosh) comes into her life. Abinash is a renowned musician today and has been travelling around the world. Abinash says to Rani that he has had relationships with a few women, but cannot offer himself up fully because the memory of Rani stands in his way. He asks her to spend a day with him so that he can get over her. Abinash also has a girlfriend Tina who is in love with him. Rani, torn between principles and passion, succumbs to Abinash's persistence. This creates havoc in her personal life while Abinash, his goal complete, moves away from her.
3

0
A young woman's life falls apart while filming a surfing documentary.
-1
A group of college girls go to Mardi Gras but as some of them start to go missing one by one, the remaining girls begin to suspect the handiwork of a dangerous voodoo cult.
-2
The Deshmukh family have a history of adoption, as the women in the family have failed to conceive for seven generations. This time, Mrs. Deshmukh is determined not to let her adopted son adopt a child.
-1
Follows the true story of a Canadian woman, Dorothy Izatt, a contactee for alien visitors who has accumulated over 30,000 feet of film footage backing her claim.
0
D-Day, June 6, 1944, was a turning point in the history of the world and thousands of young Americans played an important role that day. Travel with several of these men as they return to the beaches of Normandy to tell their stories of survival.
2
This intelligent romantic comedy chronicles the socio-economic ascent of Derek Scott. Derek has spent his entire life plotting a course for his success. His diligence is about to pay off when he happens upon an unexpected detour. This "road less traveled" intrigues Derek so much so that he considers throwing away his entire well orchestrated life to experience the one thing his plan has yet to provide...love.
6
Based on John Steinbeck's classic novel, The Pearl is the story of an impoverished diver whose life is changed forever when he discovers "the pearl of the world".
0
Delhi-based CBI Captain Neetu Singh is instructed by Chief Sawant to investigate the assassination of Maharashtra's Chief Minister Satyaprakash. Her investigations will lead her to conclude that the killing was planned and carried out by Home Minister Bhavani Prasad Lala and Superintendent of Police Waghmare. She then meets with Fatima, and is told the story of the latter's son, Hussain, who was convicted for possession and supply of fire-arms and sentenced to five years in prison. She meets Hussain in prison and decides to assist him, but before she could do that she and her mother, Shanti, both end up on the defensive, when evidence surfaces that Neetu had hired a hit-man, Tatya, to kill Satyaprakash. The Judge hearing this incident finds her guilty and sentences her to prison.
-6
A girl from Mumbai who comes to Pune to meet a prospective groom, with the idea of rejecting him, ends up spending the day with a complete stranger.
-2
Hard as nails 22 year old convicted felon VICTORIA WALKER is given a tough choice by a judge: stay clean and get a job or go to jail.
0
Thavam is a 2007 Tamil film directed by Sakthi Paramesh. The film stars  and  in lead roles. The movie begins with Sumathi (Vanthana) and Subramaniam (Arun Vijay), strangers to one another, meet at a suicide point in Chennai. They realise that their goal is the same, that is Suicide! Both had choose to end their lives and duly writes suicide notes.  Sumathy's reason for taking the extreme step is her nagging relatives, who are also her guardians. They are after her ancestral money.  Subramaniam is cheated by a friend who promises a job for him in Dubai after taking Rs five lakh from him. Both consumes sleeping pills in a bid to end their lives in Subramaniam's room. However, they are rescued by the house-owner Mani (Janakaraj). Life takes a turn and Subramaniam lands a good job while Sumathy's relatives take her home.
-3
Rick Stein discovers the many varied delights of Mediterranean food.
1
Young teacher Ben finds an ancient door-knocker in the garden of his new home. According to the local museum curator, it comes from the recently demolished Geap Manor - a sinister old place which seemed to attract... unpleasantness. So begin three stories from the dark history of this crooked house...
-3
A documentary film about the making and release of Led Zeppelin's 1975 album 'Physical Graffiti'.
1
Some Midwest women start a new city in a ghost town in western South Dakota. Local rednecks come to harass them and a war begins between the local sheriff, the state police, the rednecks, and the women.
-1
After the Crown Heights riots, an orthodox Rabbi and a community activist help two youths--one a Hasidic Jew, the other African-American--form a hip-hop group to heal their neighboorhood.
1
Biblical explorer Bob Cornuke and his friend, Larry Williams' incredible expedition into the blistering desert of Saudi Arabia has turned up what many scholars believe to be one of the greatest discoveries in history...the real Mount Sinai. Mount Sinai is the holy mountain on which God descended to give Moses the Ten Commandments, and the location where God ordered the building of the Ark of the Covenant. This video tells their amazing story of avoiding detection at borders, crawling into forbidden military installations, and using night vision goggles to avoid being detected as they pursued their mission. Armed with little more than their wits and a Bible, Bob and Larry embarked on a journey that would change their lives forever...finding clues that confirm the Bible as historically accurate.
3
Through a stolen letter, three friends "discover" that the daughter of a famous local politician is desperate to have her first sexual escapade. The guys get a tabloid newspaper to pay them to get exclusive pictures of the Catholic schoolgirl caught in "the act." As the tabloid deadline approaches, the guys must find a way to either "consummate" the story, or face the wrath of a ferocious publisher.
-2
A drama based on a classic short story by Anton Chekhov.
1
A radio psychologist who solves the murders of wealthy women finds her latest case is much deeper than she imagined-and it may cost her life!
0
Thamizh, a brave youth, looks forward to working with his brother in Kuwait. Meanwhile, circumstances force him to clash with some gangsters which earn him Periyavar's wrath.
-2
A woman awakens with amnesia after a suicide attempt, and her quest to find the meaning of life introduces her to a great spiritual philosophy. Her self-discovery becomes a real-life primer in higher consciousness.
1
Seaside takes place in a small coastal town on the Bay of Somme. The year-round inhabitants find ways to make their lives work; Paul, a lifeguard in the summer, works at the grocery all winter. His mother, Rose (Ogier) likes to play the slots just about anytime; his girlfriend Marie works in the local factory - the town's biggest business - but watching the summertime vacationers each year just makes her increasingly curious about what else might be out there. From these and several other stories, aided by close, revealing observations, we see a community perched between transition and stasis.
4
Loni Love takes on the President, fat people, pirates, celebrities, and her love for those in America.
1
Everything is fair game for controversial comic Alonzo Bodden, and now the funnyman who brought down the house on Last Comic Standing 3 strikes out on his own in his first-ever solo stand-up performance. There are no judges to play to, and no censors to appease, and as Bodden cuts loose to tackle topics ranging from race to relationships and virtually everything in between, viewers can laugh right along with the live audience as they bear witness to a fearless new force in the world of comedy.
0
A mischievous boy, living with his grandmother in a village that people believe is haunted, meets the ghost "Bhutya". How the "Bhutya" transforms the boy's character and the whole village in the process, forms the rest of the story.
-1
The ultimate collection of song and dance performances from Gaynor's classic network television specials - unseen for three decades - MITZI GAYNOR: RAZZLE DAZZLE! THE SPECIAL YEARS is a new documentary that celebrates a landmark career through new interviews with Mitzi and many others that worked with her. A reflective and entertaining glimpse into the television variety show at its zenith, taking viewers on a nostalgic trip through Gaynor's TV years.
6
Bangkok-based Tara Mishra and Nikhil Singh meet at a wedding ceremony and fall instantly in love with love with each other. Tara and Nikhil have been together for a long time, and Tara's ready to tie the knot. But workaholic Nikhil thinks their relationship is fine the way it is, believing he has no time for marriage. Bit by bit, their romance begins to unravel … until a little magic enters their lives.
4
Bollywood 2009
0
Karthik, a young lawyer falls in love with Poongothai, daughter of a businessman Vijayakumar. Vijayakumar and Poongothai's sister run a Multi-level marketing and are imprisoned for false accusations. Karthik brings Poongothai to his parents and seeks the permission from them – Nasser, a speech impaired person and Revathy, his mother. Karthik and Poongothai eventually get married after his parents consent.
-3
Latino comic Jeff Garcia aims to give you your money's worth with his signature shows in this special from 2008. Fellow friends and comics, Bruce Jingles and Rene Garcia, join him as they discuss race, dating and fighting style differences.
1
For the first time, the U.S. military has granted permission to an outside film crew to document the wrecks of Kwajalein Atoll -- a little-known outpost in the Marshall Islands.
-2
This 7 x 45 minutes series bestows a zoological freak show, presented by the exuberant and engaging Nick Baker. In a unique collaboration with the British Natural History Museum, this landmark series presented by Nick Baker takes us to some of the most remote and inhospitable corners of the globe in order to find the ugliest, slimiest and downright bizarre animals that grace the planet. These are the animals that Nick Baker has been longing to track down ever since his childhood days when he was ''dumped'' at the world-class repository of zoological wonders, the British Natural History Museum in South Kensington. Nick always found himself drawn to the most extreme, absurd and unusual exhibits. Some would dismiss these oddities as freaks of nature, but for Nick, these are the unsung heroes of evolutionary biology.
-5
Interpol tracks down a kidnapping victim in this martial arts action film.
0
In this feature-length documentary, 8 Inuit teens with cameras offer a vibrant and contemporary view of life in Canada's North. They also use their newly acquired film skills to confront a broad range of issues, from the widening communication gap between youth and their elders to the loss of their peers to suicide. In Inuktitut with English subtitles.
-2
Street artist Blu animates large-scale creatures as they crawl across an abandoned Argentine cityscape.
0
Zane is a down-and-out gambler who’s in over his head. With just thirty-six hours to repay his debt, Zane finds himself in the middle of a high-stakes game of cat-and-mouse
-1
Monster rockers 'Baton Rogue Morgue' from Finland, take us on a hilarious, white knuckle ride through which we begin to understand why metal has such a grip on the nation.
-1
A collection of personal accounts stemming from Arizona's illegal immigration crisis.
-2
An acoustic, outdoors set at Castle Clinton recorded on July 27, 2006.
0
On a remote farm in the sweeping hills of Pennsylvania, three lives are torn apart by love, abandonment, deception and murder.
0
They are teenagers who fled crisis regions and undertook an extremely dangerous journey to Europe, all alone, hoping for one thing: to live. After arriving here, they fight to live normal lives, struggling against a system that demands they sacrifice their youth to an uncertain future.
-4
"Des-authorized" is the combination of three stories, three realities that coexist and feed. The journey begins in the imagination of Elia K, the principal, who imagines Elijah, a character who is a poor playwright facing the crossroads to be true to his art, or succumb to the pressures of the producers must decide his work between surrender or pay the price of his freedom. On another level, we have Nina and Frederick, the protagonists of the work that Elijah is writing. They only seek to love, they are forced to leave the paper and press the Elijah to them the end that his story deserves, this is the starting point of "Des-authorized" a film set in an imaginary city , colorful and delusional. In the line of "Amelie" and "Stranger Than Fiction", brings a reflection on art, creativity, love and heartbreak.
-1
Famed Latino comedian and voiceover artist, Jeff Garcia, comes to you from San Manuel Indian Bingo and Casino with his signature improv style. He comments on his family, unreliable cars, white people, marriage and his run-ins with the law
0
When her husband is killed in an auto accident, Alice Marsh moves far from home to start a new life. She falls in love with an old house in Massachusetts which she buys. Built in the 1700's and made of stone, it is known by the townspeople as the "Evan Straw" house. She tells her visiting aunt, Gert, of it's history and they both take it lightly. As time goes on, strange things start to happen to Alice while she's in the house. Finally, she calls in a psychic medium, Leocardia Tomas, to try to contact the spirit. As the spirit becomes more erratic and threatening, a ghost hunter named Peter Yakov is summoned to get to the bottom of why Evan Straw still haunts the house. The answer to the mystery is unexpected by everyone.
-7
Srikanth is a marriage broker. He takes care of everything related to wedding from searching alliance to sending bride to her in-law's house. His brother Ravi Prakash is a sincere police officer. Doctor (Shayaji Shinde) and owner of a super specialty hospital who trades with the limbs of patients, fixes his daughter, Swathi's (Deepa) with an M.P.'s (Pradeep Rawat) son chatrapathi (Shafi). Srikanth is the matchmaker for that wedding. But, the girl receives Srikanth's photo by mistake. She starts to consider Srikanth as her fiance!  M.P. attacks on Ravi Prakash who collects all the evidence against his felonies, and seizes him. Brahmanandam, Ali, Venu Madhav and Krishna Bhagavan, the victims of ruthless doctor become demons!! How those spirits take vengeance on doctor, how Srikanth could save his brother, does Swathi marry Srikanth are the rest of the stuff to be watched on screen.
-2
This film is based on a true story about gang life on the streets of Chicago. Ceasar, a young teen, seeks acceptance and membership into the Brotherhood, a gang lead by his older brother, Kiko. Set on breaking the family gang cycle, Kiko fights to keep Ceasar away from a life of crime and violence while others set out to destroy an entire family and the Brotherhood
-2
Being kind is really not that difficult. Neither does being considerate take a whole lot of effort. And trying to put yourself in the other person's proverbial shoes will not be the end of the world. 7-year old Bokya reminds us of the goodness we carry and appreciate but also forget as we age.
2
A concise & informative biography that is an overview of Queen Victoria’s life from infancy to death.
0
After the death of her closest two friends, young Daphne Lessing suffers a loss of faith, then a lapse in memory. Confronted with a diagnosis of schizophrenia and a pregnancy she neither planned nor is able to explain, Daphne is forced into a terrible choice: lose her child or lose her mind. "The Substance of Things Hoped For" traces Daphne's desperate search for the past she cannot recall, the father she never had, and the child she may never know.
-7
Comedian/actress Mo'Nique hosts this 2004 comedy show with the outrageously funny Rodney Perry as her co-host. The all-star lineup features Esau, Doug Williams, DeRay Davis, and Chris Spencer.
-2
A woman's Mr. Right turns out to have extra baggage in the form of a drunk ex wife and criminal past.
-1
SciGirls is a weekly television series and educational outreach program for elementary and middle-school children based on proven best practices for science, technology, engineering and math education for girls. Launched in February 2011 and produced by Twin Cities Public Television, the episodes are broadcast on most PBS stations, and the project’s website is at http://pbskidsgo.org/scigirls. SciGirls is designed to encourage girls to pursue STEM careers, in response to the low numbers of women in many scientific careers..

The show was awarded a Daytime Emmy Award in 2011 for Outstanding New Approaches in a Children's TV Show and Best Emmy for Summer 2011 and Metal Trophy for Winter 2011.
8
An exploration of the unique culture of Newfoundland's outports, the film revisits the PR coup that launched the animal rights movement onto the international stage: the 1977 Newfoundland visit, orchestrated by the International Fund for Animal Welfare, of French actress turned animal rights activist Brigitte Bardot to protest the area's ancestral sealing activities. Soon, inhabitants of the island's northern outports we're being introduced to the world as the epitome of brutality.
0
The diary of an occult novelist sends Eris, a young college student, on a journey into the paranormal and fantastic, evolving into a living nightmare of paranoia and terror.
-2
"The Case for Christ's Resurrection" investigates the historical record, draws upon medical knowledge, searches for evidence in the lives of the Apostles, explores ancient Jewish burial customs, and, with new scientific technologies, examines the 2000 year old burial cloth of Christ. For the first time through physics and space-age imaging, scientist are able to view the crucified body of Christ in a three-dimensional, holographic image. Learn what scientists have discovered. Your faith will be strengthened.
1
Jayram is an upcoming struggling actor who is slated for greatness or at least his sister Jaywanti thinks so. Her husband Manohar is a lawyer. But he is a fraud. One has to count the fingers of ones hand after shaking hands with him. He has not contested a single case in the court of law. He prefers out of court settlements. Jayram is hit by a car driven by Priti. Priti's brother Mahesh Thakur is the commissioner of Police. Since she had taken her brother's car the hit and run case becomes that of the Commissioner.
0
Two Hurricane Katrina evacuees from the Desire Projects in New Orleans who both end up in Houston after the storm. The storm twists the fates of these two men. The first, Jay Dee, was a feared and powerful crime boss who is humbled when he loses everything and winds up as a lowly clerk at a retail chain store. The second, Shawn, an underachieving poor kid from the neighborhood gets a fresh start and becomes a writer/novelist.
-3
Describing David Crowe's stand-up reads like the beginning of the Dickens' classic, A Tale of Two Cities. "It was the smartest of shows. It was the dumbest of shows. It was erudite and sophisticated. It was physical and ridiculous. It was horrifying. It was hilarious." Crowe stormed the Edinburgh Fringe Festival with five star reviews and agglomerations of madding fans. He's won the Seattle and San Francisco comedy competitions, and has numerous appearances on Comedy Central and The Bob & Tom Radio Show. "Crooked Finger" was taped at the Triple Door Theater in downtown Seattle. It includes topical and some wild material that didn't air on his Showtime Comedy Special. See the show that the Herald called "a lethal comedy whiplash."
2
In the mid-1950s, lured by false promises of a better life, Inuit families were displaced by the Canadian government and left to their own devices in the Far North. In this icy desert realm, Martha Flaherty and her family lived through one of Canadian history’s most sombre and little-known episodes.
-2
No overview found.
0
Deep in the heart of the Mediterranean Sea lies the volcanic island of Stromboli. Erupting every 20 minutes, it is one of the world's most active volcanoes. Life on the surface is tough when the volcano is spewing molten lava. Beneath the surface, a healthy population of common octopus thrives. Scientists are trying to discover what allows the octopus to survive in such a hostile environment.
-1
See Kenneth W. Rendell's collection of over 6,000 artifacts that range from the end of World War I and the rise of Nazism to the start of World War II and the fight in Europe and the Pacific.
0
Documentary telling the tale of a 14-year-old Polish girl, Rutka Laskier, who was murdered at Auschwitz in 1943, whose diary was found under the floorboards of her home in 2005.
0
About the insane personal and professional lives of five pharmaceutical sales reps and their conniving manager.
-1
Sex, drugs and suicidal tendencies... HAPPY NEW YEAR! This ensemble driven dramedy revolves around an eccentric New Years Eve Party, where the Party-Goers are oblivious to the true atmosphere of pain amid the celebration of "life".
-2
Laughs, Lunacy and Logic - wait, scratch that last part - conspire in this situation comedy series about a larger-than-life little goldfish named Gasp, whose imagination is as big as his heart.
-3
Based on the horrifying true story of America’s first convicted cannibal, Alferd Packer (whose story was satirized in Troma’s best-selling Cannibal! The Musical), Devoured takes a serious spin on the tale and features incredible suspense and gore effects in the vein of Dawn of the Dead and House of 1000 Corpses.  In 1874, Alferd Packer led a gold mining expedition into Colorado, where he murdered, robbed and ate every miner in his camp. More than a century later, the identical killings and numerous disappearances are occurring. As the search for the killer proves neverending, one terrifying and unbelievable fact remains... Mr. Packer was still lurking out there... somewhere... just waiting to strike again!
-4
A man finds himself torn between pursuing a relationship with new found love interest or giving his adulterous wife a second chance.
1
When the 2001 season began, many expected the Los Angeles Lakers to repeat as NBA Champions. But few could have predicted just how arduous their road would be. The Lakers struggled through a turbulent regular season, but in the playoffs they recaptured their championship form and defeated the Philadelphia 76ers in the 2001 NBA Finals.
-1
Experience some of the funniest moments from Yakov's "Branson Today" talk show. There's always something funny about Yakov, but there's something even funnier about his audience!
-1
Nanking is a hard, horrifying story that defies comprehension. On Dec. 13, 1937, the Imperial Japanese Army stormed the Chinese city of Nanking. During 6 weeks, they murdered and tortured countless civilians whose only crime was being Chinese. Over 300,000 were killed, mostly by bayonet and knife. What triggered such unbridled violence? Our film aims to 'investigate' Japan’s history and looks for the deep-rooted causes of such barbarity. - See more at: http://www.idfa.nl/industry/tags/project.aspx?id=0d1285eb-9dfc-4ec5-aad7-5ec74c67d633#sthash.LyNbcMpl.dpuf
-7
Documentary about a choir of former Cape Breton Island coal miners.
0
Standup special recorded in 2003 at the H Bar & Restaurant in Hollywood, California.
0
Dan Brown's fiction thriller, The Da Vinci Code, ignited worldwide controversy with this enigmatic opening statement: FACT: All descriptions of artwork, architecture, documents, and secret rituals in the novel are accurate. Through interviews with leading experts in theology, archeology, art history, philosophy and science, this documentary exposes the inaccuracies and deceptions in Brown's novel.
-2
An inside look at a year in the life, on and off the road, of one of Seattle's most notorious bands, The Murder City Devils. Featuring live performances, rare glimpses backstage, and scores of interviews with the band, their fans, and their families.
-3
After her brother dies suddenly, attorney Rochelle Moore (Cassandra King) returns to her hometown. There, she learns her brother was a member of the Hoop Soldiers, an illegal underground basketball team that plays a violent form of no-holds-barred caged basketball for money. As Moore delves deeper into the dangerous circumstances surrounding her brother's death, she begins to realize the stakes are much higher than she'd imagined.
-4
Bharat, a reporter, is given the opportunity to pursue the story of an escaped convict, Anna Chimbori. Maruti bears witness to a murder committed by Anna Chimbori and turns to Bharat for help.
-1
Mini series incorporating The Girl With the Dragon Tattoo, The Girl Who Kicked the Hornets Nest and The Girl Who Played With Fire. Includes over 90 minutes not seen in the theatrical release.
0
While running from a drug deal gone bad, Mike Ross, a brilliant young college-dropout, slips into a job interview with one of New York City's best legal closers, Harvey Specter. Tired of cookie-cutter law school grads, Harvey takes a gamble by hiring Mike on the spot after he recognizes his raw talent and photographic memory.
1
An anthology horror drama series centering on different characters and locations, including a house with a murderous past, an asylum, a witch coven, a freak show, a hotel, a farmhouse in Roanoke, a cult, the apocalypse and a summer camp.
-3
Annie's life is a mess. But when she finds out her lifetime best friend is engaged, she simply must serve as Lillian's maid of honor. Though lovelorn and broke, Annie bluffs her way through the expensive and bizarre rituals. With one chance to get it perfect, she’ll show Lillian and her bridesmaids just how far you’ll go for someone you love.
-1
After Portland homicide detective Nick Burkhardt discovers he's descended from an elite line of criminal profilers known as "Grimms," he increasingly finds his responsibilities as a detective at odds with his new responsibilities as a Grimm.
0
A thriller that revolves around the key people at an investment bank over a 24-hour period during the early stages of the financial crisis.
-1
Aibileen Clark is a middle-aged African-American maid who has spent her life raising white children and has recently lost her only son; Minny Jackson is an African-American maid who has often offended her employers despite her family's struggles with money and her desperate need for jobs; and Eugenia "Skeeter" Phelan is a young white woman who has recently moved back home after graduating college to find out her childhood maid has mysteriously disappeared. These three stories intertwine to explain how life in Jackson, Mississippi revolves around "the help"; yet they are always kept at a certain distance because of racial lines.
-4
Nev and his co-hosts -- from Max to Kamie to celebrity guests -- help people in dubious online relationships track down their baes IRL so they can sort out what's fact and what's fiction.
-2
The life of 4-year-old Daniel Tiger and his friends as they learn fun and practical strategies and skills necessary for growing and learning.
2
In 1979 Ohio, several youngsters are making a zombie movie with a Super-8 camera. In the midst of filming, the friends witness a horrifying train derailment and are lucky to escape with their lives. They soon discover that the catastrophe was no accident, as a series of unexplained events and disappearances soon follows. Deputy Jackson Lamb, the father of one of the kids, searches for the terrifying truth behind the crash.
-4
Welcome to Hotel Transylvania, Dracula's lavish five-stake resort, where monsters and their families can live it up and no humans are allowed. One special weekend, Dracula has invited all his best friends to celebrate his beloved daughter Mavis's 118th birthday. For Dracula catering to all of these legendary monsters is no problem but the party really starts when one ordinary guy stumbles into the hotel and changes everything!
2
As a young associate, Mitchell McDeere brought down the prestigious Memphis law firm of Bendini, Lambert & Locke, which operated as a front for the Chicago mob—and his life was never the same. After a difficult decade, which included a stay in the Federal Witness Protection program, Mitch and his family now emerge from isolation to reclaim their lives and their future—only to find that past dangers are still lurking and new threats are everywhere.
-2
An intoxicating love story set in England's first department store in the 1870s. The Paradise revolves around the lives of the people who live and work in the store, each bound in their own way by the power of the world they live in, and the pasts that follow them there. A love story, mystery, and social comedy all in one.


3
Inspired by a true story, a comedy centered on a 27-year-old guy who learns of his cancer diagnosis and his subsequent struggle to beat the disease.
-2
Doug Glatt, a slacker who discovers he has a talent for brawling, is approached by a minor league hockey coach and invited to join the team as the "muscle." Despite the fact that Glatt can't skate, his best friend, Pat, convinces him to give it a shot, and Glatt becomes a hero to the team and their fans, until the league's reigning goon becomes threatened by Glatt's success and decides to even the score.
3
Psycho-Pass is set in a futuristic era in Japan where the Sibyl System, a powerful network of psychometric scanners, actively measures the biometrics of its citizens' minds. The resulting assessment is called a Psycho-Pass. When the calculated likelihood of an individual committing a crime, measured by the Crime Coefficient index, exceeds an accepted threshold, he or she is pursued, apprehended, and either arrested or decomposed by the field officers of the Crime Investigation Department of the Public Safety Bureau.
0
Dave is a married man with two kids and a loving wife, and Mitch is a single man who is at the prime of his sexual life. One fateful night while Mitch and Dave are peeing in a fountain when lightning strikes, they switch bodies.
-1
Three paranormal roommates, a ghost, a vampire, and a werewolf, struggle to keep their dark secrets from the world, while helping each other navigate the complexities of living double lives.
-1
Set in 1974, a pair of '60s radicals rely on their bomb-making skills on their way to becoming capitalists.
0
Neighbors Spencer and Louise have bonded over their fascination with a recent string of murders terrorizing their community. When a new tenant named Victor moves into the building, all three quickly hit it off. However, they soon discover each has his or her own dark secret. As the violence outside mounts, the city retreats indoors for safety. But the more time these three neighbors spend together in their apartment building, the clearer it becomes that what they once thought of as a safe haven is as dangerous as any outside terrors they could imagine.
-2
A vigilante homeless man pulls into a new city and finds himself trapped in urban chaos, a city where crime rules and where the city's crime boss reigns. Seeing an urban landscape filled with armed robbers, corrupt cops, abused prostitutes and even a pedophile Santa, the Hobo goes about bringing justice to the city the best way he knows how - with a 20-gauge shotgun. Mayhem ensues when he tries to make things better for the future generation. Street justice will indeed prevail.
-4
A fantasy movie about an arrogant, lazy prince and his more heroic brother who must complete a quest in order to save their father's kingdom.
-1
David Suzuki, iconic Canadian scientist, educator, broadcaster and activist delivers a 'last lecture' — what he describes as "a distillation of my life and thoughts, my legacy, what I want to say before I die". The film interweaves the lecture with scenes from the places and events in Suzuki's life — creating a biography of ideas — forged by the major social, scientific and cultural events of the past 70 years.
-2
When Englishman Jonathan Harker visits the exotic castle of Count Dracula, he is entranced by the mysterious aristocrat. But upon learning that the count has sinister designs on his wife, Mina, Harker seeks help from vampire slayer Van Helsing.
-1
The life of Mancunian Lisa and the day-to-day adventures she has with her husband, friends and family.
0
Seventeen-year-old Shirley is a good student who works as a babysitter in order to make money for college. One night Michael, a father Shirley works for, confesses he's unhappy with married life. Shirley has a crush on Michael, and seizes this moment to kiss him. Michael is so happy he presents Shirley with a big tip, which gives her an idea. Shirley plans to make extra money by setting up her teenage friends with other unhappy fathers.
1
Revered sushi chef Jiro Ono strives for perfection in his work, while his eldest son, Yoshikazu, has trouble living up to his father's legacy.
1
Abe is a man who is in his thirties and who lives with his parents. He works regretfully for his father while pursuing his hobby of collecting toys. Aware that his family doesn't think highly of him, he tries to spark a relationship with Miranda, who recently moved back home after a failed literary/academic career. Miranda agrees to marry Abe out of desperation, but things go awry.
-2
A North American spin-off of the hit U.K. television series, Primeval: New World follows a specialized team of animal experts and scientists that investigates the appearance of temporal anomalies and battles both prehistoric and futuristic creatures.
0
Tricia's husband Daniel has been missing for seven years. Her younger sister Callie comes to live with her as the pressure mounts to finally declare him 'dead in absentia.' As Tricia sifts through the wreckage and tries to move on with her life, Callie finds herself drawn to an ominous tunnel near the house. As she begins to link it to other mysterious disappearances, it becomes clear that Daniel's presumed death might be anything but 'natural.' The ancient force at work in the tunnel might have set its sights on Callie and Tricia—and Daniel might be suffering a fate far worse than death in its grasp.
-4
After her son Kevin commits a horrific act, troubled mother Eva reflects on her complicated relationship with her disturbed son as he grew from a toddler into a teenager.
-4
Arctic Air is about a Yellowknife-based maverick airline and the unconventional family who runs it. The owners are Mel Ivarson, an old school bush pilot; Krista Ivarson, Mel's daughter; and Bobby Martin, the son of Ivarson's deceased partner. Episodes focus on interpersonal conflicts between the characters as well as dramatic flying missions with their aging fleet of Douglas DC-3s, de Havilland Canada DHC-3 Otters and other aircraft. Each episode has one or more flying missions.

 The series was canceled on March 17, 2014, due to government budgetary cuts
0
Fed up with the cruelty and stupidity of American culture, an unlikely duo goes on a killing spree, killing reality TV stars, bigots and others they find repugnant.
-6
A thriller that follows two siblings who decide to fend for themselves in the wake of a botched casino heist, and their unlikely reunion during another family's Thanksgiving celebration.
0
A pair of newlyweds must fight to survive when their wedding reception descends into chaos and carnage when their guests become infected by a virus that turns them into hungry zombies.
-5
A luxury condo manager leads a staff of workers to seek payback on the Wall Street swindler who defrauded them. With only days until the billionaire gets away with the perfect crime, the unlikely crew of amateur thieves enlists the help of petty crook Slide to steal the $20 million they’re sure is hidden in the penthouse.
-3
The true story of Sam Childers, a former drug-dealing biker who finds God and became a crusader for hundreds of Sudanese children who've been kidnapped and pressed into duty as soldiers.
0
Riding across Manhattan in a stretch limo during a riot in order to get a haircut, a 28-year-old billionaire asset manager's life begins to crumble.
-1
A core group of architects embraced the West Coast from Vancouver to LA with its particular geography and values and left behind a legacy of inspired dwellings. Today, architects celebrate the influence established by their predecessors.
1
Dr. Martin Blake, who has spent his life looking for respect, meets an 18-year-old patient named Diane, suffering from a kidney infection, and gets a much-needed boost of self-esteem. However, when her health starts improving, Martin fears losing her, so he begins tampering with her treatment, keeping Diane sick and in the hospital right next to him.
0
A group of six students about to embark on the most exciting period of their lives so far: university!
1
This documentary explores the hidden history of the American Exploitation Film. The movie digs deep into this often overlooked category of U.S. cinema and unearths the shameless and occasionally shocking origins of this popular entertainment.
-2
A young boy has lost his mother and is losing touch with his father and the world around him. Then he meets Hesher who manages to make his life even more chaotic.
-3
Mr. Church reunites the Expendables for what should be an easy paycheck, but when one of their men is murdered on the job, their quest for revenge puts them deep in enemy territory and up against an unexpected threat.
-3
Nine people are stuck in an elevator. One of them has a ticking bomb that can't be defused. The other eight will do anything to survive. There is no escape and no promise of rescue. As the tension in the elevator mounts the unthinkable soon becomes the only reasonable solution.
-2
The life and murders of one of the worst serial killers in history, Robert Pickton who went unchallenged for decades.
-3
A pistol-packing teen meets an unstable rebel and a cocaine-snorting drifter as she hitchhikes her way out West.
-1
In-depth documentary that uses Lenny Bruce's legacy to explore the present condition of the fear of words and expression.
-1
Fish has spent six years in jail. Six years alone. Six years keeping his mouth shut about the robbery, about the other men involved. The night he is released, the four men he protected with silence celebrate his freedom with a congratulatory dinner. The meal is a lavish array of sushi, served off the naked body of a beautiful young woman. The sushi girl seems catatonic, trained to ignore everything in the room, even if things become dangerous. Sure enough, the four unwieldy thieves can't help but open old wounds in an attempt to find their missing loot.
1
Alice lives with her boyfriend Mitch and their gay best friend Richie. Together they form three points of an unlikely triangle, living, laughing and larging it together. After one particularly big night out, they end up having an unplanned threesome which results in an even more unplanned pregnancy. They decide it’s time to ditch the party lifestyle and have the baby. As a threesome.
-2
Pramface is a BBC Three television comedy series starring Scarlett Alice Johnson, Sean Michael Verey, Ben Crompton, Bronagh Gallagher, Anna Chancellor and Angus Deayton. Written by Chris Reddy and produced by BBC/Little Comet, the six-part first series commenced transmission on 23 February 2012. The second series began on 8 January 2013, with the first episode 60 minutes long, as a special, and the remainder of the series consisted of the usual 30 minute episodes. The second series concluded on 19 February 2013. A third series was confirmed on 29 April 2013.
0
After a bleak childhood, Jane Eyre goes out into the world to become a governess. As she lives happily in her new position at Thornfield Hall, she meet the dark, cold, and abrupt master of the house, Mr. Rochester. Jane and her employer grow close in friendship and she soon finds herself falling in love with him. Happiness seems to have found Jane at last, but could Mr. Rochester's terrible secret be about to destroy it forever?
-3
While working undercover as a bodyguard to arms dealer Harry, former-soldier-turned-secret-service-agent Ewan survives a bloody shootout with a member of an Islamic terrorist cell who steals Harry's briefcase full of Semtex explosives and escapes. Ewan's spymasters task Ewan with hunting down the cell members and retrieving the briefcase.
-3
When a group of friends decides to follow a car they've seen posted on an Amber Alert, things start to go very wrong.
-1
Set in 1959 Miami, Florida shortly after the Cuban Revolution, Magic City tells the story of Ike Evans, the owner of Miami's most glamorous hotel, the Miramar Playa. Evans is forced to make an ill-fated deal with Miami mob boss Ben Diamond to ensure the success of his glitzy establishment.
2
Seventeen-year old Paul can see the spirits of the dead. When one of these restless spirits crosses back into the living world, he is forced into a fight to prevent the apocalypse.
-3
Two feuding rock stars get handcuffed together for 24 hours at a music festival where they are both due to perform.
0
Four young men have won a trip with their favorite social network. On board the private plane that took him to New York, they are invited to participate in an in-flight entertainment: a new online gaming experience. But this is no ordinary Thurs Trapped at 30,000 feet, they will play for their lives and those of their families. They will discover the hard way that put his life online can have dire consequences ...
-1
The story of the final seven months in the life of German Field Marshal Erwin Rommel.
0
Fourteen years after Third Impact, Shinji Ikari awakens to a world he does not remember. He hasn't aged. Much of Earth is laid in ruins, NERV has been dismantled, and people who he once protected have turned against him. Befriending the enigmatic Kaworu Nagisa, Shinji continues the fight against the angels and realizes the fighting is far from over, even when it could be against his former allies. The characters' struggles continue amidst the battles against the angels and each other, spiraling down to what could inevitably be the end of the world.
-1
In Assassin's Bullet, Slater plays Robert Diggs, a black ops agent who comes to work for Ambassador Ashdown (Hunger Games star Donald Sutherland), tracking down a vigilante assassin in Eastern Europe. The maverick hit(wo)man has been taking out high-profile targets on the U.S. hit list, and Diggs must uncover the killer's identity before there's an international incident. The usual game of cat and mouse ensues.
-2
The wife of a British Judge is caught in a self-destructive love affair with a Royal Air Force pilot.
0
The romance between two teenage girls quickly manifests as terrifying, violent and inexplicable.
-1
A group of young friends make an incomprehensible discovery in an abandoned mine, but the more they try to change the future, the more they seal their fate.
-1
Inspired by Arthur Schnitzler's classic La Ronde, screenwriter Peter Morgan and director Fernando Meirelles' 360 combines a modern and dynamic roundelay of stories into one, linking characters from different cities and countries in a vivid, suspenseful and deeply moving tale of love in the 21st century. Starting in Vienna, the film beautifully weaves through Paris, London, Bratislava, Rio, Denver and Phoenix into a single, mesmerizing narrative.
7
Documentary on the social pandemic of fatherlessness afflicting today's societies.
0
The adventures of Chris and Martin Kratt as they encounter incredible wild animals, combining science education with fun and adventure as the duo travels to animal habitats around the globe.
1
Kate returns from war and goes on a camping trip with her friends. They come across strange people living off the land and befriend a group of rock climbers. After their friend goes missing, the women team up with the climbers to survive their hike.
-1
Secret State explores the relationship between a democratically elected government, big business and the banks.
0
A young psychologically unstable young police woman named Kate Logan and a married Frenchman find themselves caught up in a dramatic twisted affair.
-2
Tania Head was the ultimate 9/11 survivor. She had the grimmest story. None of it was true.
1
Roller-skaters fight back against the video-game gangsters trying to take over their town.
-1
After 20 years on the road with Blue Oyster Cult, Jimmy Testagros returns to his hometown to life with his ailing mother. Complications arise when he falls for an old friend, who is now married to his longtime nemesis.
-4
Klitschko tells the captivating story of the boxing worlds most famous brothers: Vitali and Wladimir Klitschko. From the socialist drill of their childhood in the Ukraine, and their first successes as amateurs, to their move to Germany and subsequent rise as international stars on the verge of holding the championship titles of all five boxing federations (Wladimir secured this with his unanimous World Boxing Association win against David Haye on July 2nd, 2011). Along the way they experience defeats and setbacks, low points and triumphant comebacks as well as conflicts with each other. Exciting conversations with companions and opponents, including the very first with the Klitschkos parents, give insight into their personal lives, plus never-before-seen footage of the draining preparations for a fight, and the spectacular boxing matches. Director Sebastian Dehnhardt composes an intimate and fascinating portrait of two exceptional athletes who are, before all else, brothers.
8
Journalist Fiona Bruce teams up with art expert Philip Mould to investigate the provenance or attribution of notable artworks.
0
A baby-sitter tells a different 'Deadtime Story' to the kids she is babysitting. The stories are scary and chilling.
-1
E.F. Bloodworth has returned to his home - a forgotten corner of Tennessee - after forty years of roaming. The wife he walked out on has withered and faded, his three sons are grown and angry. Warren is a womanizing alcoholic, Boyd is driven by jealousy to hunt down his wife and her lover, and Brady puts hexes on his enemies from his mamma's porch. Only Fleming, the old man's grandson, treats him with the respect his age commands, and sees past all the hatred to realize the way it can poison a man's soul. It is ultimately the love of Raven Lee, a sloe-eyed beauty from another town, that gives Fleming the courage to reject this family curse.
-3
An original documentary which follows three families in a small seaside town in Massachusetts as they prepare for their annual home made haunted houses. This story highlights their long journey from planning to opening day and cleanup until next year and the obstacles which face them during the process.
-1
Hollywood, 1927: As silent movie star George Valentin wonders if the arrival of talking pictures will cause him to fade into oblivion, he sparks with Peppy Miller, a young dancer set for a big break.
2
Arkin escapes with his life from the vicious grips of "The Collector" during an entrapment party where he adds beautiful Elena to his "Collection." Instead of recovering from the trauma, Arkin is suddenly abducted from the hospital by mercenaries hired by Elena's wealthy father. Arkin is blackmailed to team up with the mercenaries and track down The Collector's booby trapped warehouse and save Elena.
-2
Something nasty is lurking inside a secure storage unit. When a group of people get trapped inside, they need to find a way to get out of a building that's designed to keep things in...
-2
Charlotte is a woman with anger management issues whose therapist suggests she write a journal to keep her emotions in check. Unlucky in love, she ventures online to find a boyfriend. Just as she reaches her limit of unsuccessful dates, Charlotte meets her soul mate Lyle. Everything is perfect until Lyle finds Charlottes journal and sets out to prove just how deeply he loves her.
-2
The small working-class town of Angels Crest is a tight-knit community resting quietly in one of the vast and stunningly beautiful valleys of the Rocky Mountains. Ethan, one of the town's residents, is a young father but not much more than a kid himself. He has no choice but to look after his three-year-old son Nate, since mom Cindy is an alcoholic. But one snowy day, Ethan's good intentions are thwarted by a moment of thoughtlessness, resulting in tragedy. A local prosecutor haunted by his past goes after Ethan, and the ensuing confusion and casting of blame begins to tear the town apart.
-1
Angela is throwing a decadent Halloween party at New Orleans' infamous Broussard Mansion. But after the police break up the festivities, Maddie and a few friends stay behind. Trapped inside the locked mansion gates, the remaining guests uncover a horrifying secret and soon fall victim to seven vicious, blood-thirsty demons.
-8
Jack Regan, a hardened cop who doesn’t play by the rules, is confronted with a criminal from his past. With sidekick George Carter they are put on the case of a jewellery store heist that ends in a killing. But is that killing really an execution in disguise? With pressure from his boss and the fact that Regan is having an affair with that boss’s wife, it’s not going to be easy for him to stay out of trouble.
-4
China is plunged into strife as feuding warlords try to expand their power by warring over neighboring lands. Fuelled by his success on the battlefield, young and arrogant Hao Jie sneers at Shaolin's masters when he beats one of them in a duel. But the pride comes before a fall. When his own family is wiped out by a rival warlord, Hao is forced to take refuge with the monks. As the civil unrest spreads and the people suffer, Hao and the Shaolin masters are forced to take a fiery stand against the evil warlords. They launch a daring plan or rescue and escape.
-2
A clueless Trojan general must meet an unbeatable Greek warrior on the battlefield.
0
Follow the rise of the largest and most well-funded blackjack team in America -- made up entirely of card-counting, churchgoing Christians. The players don't see blackjack as a sin; they take from casinos and give to their families and churches.
-1
Desperate to get out from under her overprotective mother, a home-schooled teen runs off to live with her dad, and forms a bond with his much-younger boyfriend.
-1
On August 15, 1944 the 517th Parachute Regimental Combat Team (PRCT) jumped over the south of France. Their mission was to support and protect the Allied Troops marching to Berlin. Landing in enemy territory, they fell under immediate attack. In their effort to complete the mission and rendez-vous with their unit, three isolated paratroopers come across a group of French resistants in desperate need. They decide to help liberate some of the captive Partisans. Doing so they will risk their lives.
-4
Sinbad accidentally kills the son of the powerful Lord Akbari in a fist fight. As recompense for the blood debt, Sinbad's brother is killed in front of his eyes. Sinbad escapes, but his grandmother uses a magic talisman to curse him for the death of his brother. The curse prevents Sinbad from staying on land for more than one day; if he tarries the talisman will choke him to death. This prohibition against remaining on land leads to a life of adventure at sea that holds many wonders. Sinbad is unaware that he is still being hunted by Lord Akbari, who does not consider Sinbad's brother's death as sufficient payment of the blood debt.
-6
Mary Surratt is the lone female charged as a co-conspirator in the assassination trial of Abraham Lincoln. As the whole nation turns against her, she is forced to rely on her reluctant lawyer to uncover the truth and save her life.
-2
Longtime friends Ronny and Nick are partners in an auto-design firm. They are hard at work on a presentation for a dream project that would really launch their company. Then Ronny spots Nick's wife out with another man, and in the process of investigating the possible affair, he learns that Nick has a few secrets of his own. As the presentation nears, Ronny agonizes over what might happen if the truth gets out.
0
Captain Martin Stone is leading a finely-trained, elite platoon of Allied soldiers as they attack an enemy bunker. Underestimating their enemy's strength, they are quickly beaten back into the forest. As they try to regroup, they are suddenly attacked by the same soldiers they had just killed a few minutes earlier. Forced to flee deeper into Russian territory, they discover one of war's most terrifying secrets and realize they have woken up a far more deadlier enemy.
-4
Walter Dishman, a married and melancholy parole officer, deals with three eccentric ex-convicts who have been placed under his supervision.
-2
“Unsigned” is a documentary that trails three rising rock bands in Los Angeles as they chase their dreams of making it big in the music industry. We follow “Fight Friendly” ” Paul Nagi” and ” The Muddy Reds” as they learn to balance their rock ’n’ roll aspirations with the hardships and realizations of every day life in a film which dares everyone to follow their dreams.
0
Gadget Man shows the world's collection of handy gadgets throughout the ages, from today's smart devices to decades old electronics to even older mechanical devices.
2
The gritty true-life story of a notorious Boston criminal and his gang who, driven by addiction and greed, commit a series of dangerous robberies during the height of the OxyContin drug trade.
-5
Georges Duroy travels through 1890s Paris, from cockroach ridden garrets to opulent salons, using his wits and powers of seduction to rise from poverty to wealth, from a prostitute’s embrace to passionate trysts with wealthy beauties, in a world where politics and media jostle for influence, where sex is power and celebrity an obsession.
4
The story of three employees of a security depot who plan and execute a multi-million pound cash heist.
0
The film follows Will Fletcher, a musician, and Eve Fisher, who works in a pub where he is performing, during one night in London. After Will has saved Eve from a drunken customer at closing time, they stay up all night together, meandering through the streets of London and forging a relationship. Next morning, Eve takes him to see her Alzheimer's-suffering grandmother.  The film is often compared to Richard Linklater's films "Before Sunrise" and "Before Sunset", as the style is very similar.
0
After a divorce, Sophia moves to the south of Italy with her daughter, Helena. Their new home, an apartment within an austere building of the fascist age, is a chance for them to start a new life. But inside an old storage room hides a mysterious closet and a buried secret. After the loss of Helena’s first baby tooth, a chilling obsession begins and an apparition haunts her sleep...
-4
Four young offenders and their workers spend a weekend in the remote Yorkshire village of Mortlake, which prides on keeping itself to itself. A minor incident with locals rapidly escalates into a blood-soaked, deliriously warped nightmare.
-2
A lawyer puts his family in jeopardy when he captures the last member of a violent clan and tries to forcibly tame her.
-2
A chronicle of the Cristeros War (1926-1929), which was touched off by a rebellion against the Mexican government's attempt to secularize the country.
0
There's nothing to keep Yvan in Paris any longer. His wife has left him to live in Thailand. His teenage daughters have chosen to live with his sister Ariane, who is as anxious as she is admirable. Yvan is ready to leave... when beautiful Emmanuelle enters his life. She makes babies as easily as she falls in love, and she's accompanied by Léo, the little boy who Yvan's wife had with another man. Yvan is going to have to change his plans.
2
When Ethan arrives at the airport just in time to declare his undying love for his girlfriend, love appears to have conquered all. The scene, however, is really the ending of Ethan's novel, which his agent calls "unrealistic." Ethan soon meets a waitress, Jesse, and falls in love with her despite her growing devotion to Troy, a charming businessman. But the line between reality and fiction becomes increasingly blurred.
0
The Jonathan Ross Show is a British chat show presented by Jonathan Ross. It was first broadcast on ITV on 3 September 2011 and currently airs on Saturday evenings following the conclusion of Ross' BBC One chat show, Friday Night with Jonathan Ross, in July 2010.
0
A wedding at her parents' Annapolis estate hurls high-strung Lynn into the center of touchy family dynamics.
0
Rayne fights against the Nazis in Europe during World War II, encountering Ekart Brand, a Nazi leader whose target is to inject Adolf Hitler with Rayne's blood in an attempt to transform him into a dhampir and attain immortality.
0
Scaredy Squirrel is a Canadian animated television series created by Mélanie Watt.
0
Kutsher's Country Club is the last surviving Jewish resort in the Catskills. One of the legendary Borscht Belt hotels during its heyday, Kutsher's has been family-owned and operated for over 100 years. Exploring the full Dirty Dancing-era Catskills experience-- and how it changed American pop culture in the comedy, sports and vacation industries-- this documentary captures a last glimpse of a lost world as it disappears before our eyes.
-1
Jake Shimabukuro: Life on Four Strings is a compelling portrait of an inspiring and inventive musician whose virtuoso skills on the ukulele have transformed all previous notions of the instrument’s potential. Through intimate conversations with Shimabukuro (she-ma-BOO-koo-row), Life on Four Strings reveals the cultural and personal influences that have shaped the man and the musician. On the road from Los Angeles to New York to Japan, the film captures the solitary life on tour: the exhilaration of performance, the wonder of newfound fame, the loneliness of separation from home and family.
6
Brave 10 is a manga series by Kairi Shimotsuki, serialized in Media Factory's Comic Flapper from 2007 to 2010. The series was resumed on June 15, 2011 and retitled Brave 10 Spiral, better known as Brave 10 S, serialized in Monthly Comic Gene. An anime adaptation by Studio Sakimakura and TMS Entertainment began airing on January 8, 2012. The original manga series is licensed by Tokyopop, though no volumes have been released as of 2012. The series is based on the legendary Sanada Ten Braves, a group of ninja that assisted warlord Sanada Yukimura during the Sengoku period of Japan. The series had been licensed for streaming on Crunchyroll.
6
In 1968 the Soviet ballistic missile submarine K-129 sank in the Central North Pacific. American intelligence located it within weeks of its demise. The CIA crafted a secret program to raise the submarine in 1974. Now after much secrecy, this story can be told, by the men who made it happen and with never-before-seen footage of the actual salvage attempt, and new evidence of the project's successes and failures.
0
Nebraska cop Kathryn Bolkovac discovers a deadly sex trafficking ring while serving as a U.N. peacekeeper in post-war Bosnia. Risking her own life to save the lives of others, she uncovers an international conspiracy that is determined to stop her, no matter the cost.
-2
From the once thriving tobacco warehouses, to the current run-down and closed shops of Five Points, a diverse group of residents and their respective life changes when outsider Gus Leroy brings something new and potentially dangerous into their quiet town.
-1
A woman's journey at a Fashion house.
0
Bryan Callen presents a comedic lesson to the world through his testosterone-colored glasses, teaching us how to become the man he always wanted to be in this hilarious stand-up special.
1
The true story of the formation of Ian Fleming's 30 Commando unit, a precursor for the elite forces in the U.K.
1
A woman uncovers sinister secrets while investigating the apparent suicide of her sister.
-2
Lore leads her four younger siblings across a war-torn Germany in 1945. Amidst the chaos she encounters a mysterious refugee who shatters her fragile reality with hatred and desire.
-3
On the Arabian Peninsula in the 1930s, two warring leaders come face to face. The victorious Nesib, Emir of Hobeika, lays down his peace terms to rival Amar, Sultan of Salmaah. The two men agree that neither can lay claim to the area of no man’s land between them called The Yellow Belt. In return, Nesib adopts Amar’s two boys Saleeh and Auda as a guarantee against invasion. Twelve years later, Saleeh and Auda have grown into young men. Saleeh, the warrior, itches to escape his gilded cage and return to his father’s land. Auda cares only for books and the pursuit of knowledge. One day, their adopted father Nesib is visited by an American from Texas. He tells the Emir that his land is blessed with oil and promises him riches beyond his wildest imagination. Nesib imagines a realm of infinite possibility, a kingdom with roads, schools and hospitals all paid for by the black gold beneath the barren sand. There is only one problem. The precious oil is located in the Yellow Belt.
3
As the police launch a full-scale crackdown on organized crime, it ignites a national yakuza struggle between the Sanno of the East and Hanabishi of the West. What started as an internal strife in Outrage has now become a nationwide war in Outrage Beyond.
-5
The story of a man's struggle to claim his future by confronting his past. The road is not an easy one as old demons resurface to threaten everything Eden has fought to overcome.
-2
Occupy Unmasked features the conservative visionary Andrew Breitbart and journalists Brandon Darby, David Horowitz, Pam Keys, Anita MonCrief, Mandy Nagy, and Lee Stranahan. Written and directed by award-winning director, Stephen K. Bannon (The Undefeated, Generation Zero) and produced by David N. Bossie (Border War, Perfect Valor), Occupy Unmasked is a shocking indictment of one of the most controversial movements in American history.
0
Juliet, a beautiful doctor, has found the perfect New York apartment to start a new life after separating from her husband. It's got spacious rooms, a spectacular view, and a handy, handsome landlord. But there are secrets behind every wall and terror in every room as Juliet gets the unnerving feeling that she is not alone.
4
A native-American lacrosse team makes its way through a prep school league tournament.
0
With a new baby and wife to support, out-of-work filmmaker Matt Gallagher tries his hand - and some would say, luck at playing poker for a living.
2
A dishonest insurance salesman's life quickly disintegrates during a Wisconsin winter when he teams up with a psychopath to steal a rare violin at the home of a reclusive farmer.
-3
Just as her life is coming together, Allison experiences a terrible tragedy when her boyfriend is murdered by an intruder from whom the woman herself barely escapes. The police capture a man they believe to be the killer, but Allison, still unsettled, has her doubts. Things take a frightening turn when she meets her friend's new boyfriend and suspects him to be the killer.
-8
A year after the disappearance of their son, Gabe and Eve Caleigh and their two daughters attempt to start anew, they head to Crickley Hall - a seemingly perfect countryside house. But when cellar doors start to open on their own, phantom children's cries are heard through the night and a frenzied cane-wielding specter rears its head - the Caleigh's realize the house comes with a lot more than they bargained for. Just as they're ready to move out, Eve Caleigh hears Cam's cries and all bets are off.
-1
Crystal, a rich party girl, finds a little girl's letter to Santa asking for a new mother, and she vows to win over the father and daughter before the holidays.
2
To keep the family home from being sold, four very modern March sisters tackle home improvement on their own. But their romantic entanglements involving the boy next door, an old flame and a new acquaintance become a distraction.
1
A bike messenger, hired by competing mob bosses to smuggle goods, finds that her only way out is a confrontation erupting into a battle of bullets, blows and kicks to the face.
-1
With the goal of impressing a fatherless boy, an average accountant foils a robbery while wearing a superhero costume. After the incident makes headlines, the man finds himself in the center of a media frenzy with people asking “who is this hero?” And “when will he be back?”
0
After the unexpected death of his survivalist father, an eleven year old boy raised in the Alabama wilderness must learn how to make a home in the modern world.
-1
During her traumatic childhood with an abusive father, Emma relied on an imaginary friend for strength. She is now an artist struggling with mental illness living with her apparently loving husband, Brad. But when Emma's imaginary friend starts reappearing, she knows she's losing her grip. Desperate to save her marriage and show Brad she is in control, Emma takes drastic measures to free herself of her torment and her imaginary friend.
-9
A romance novelist (David Arquette) moves into a "cottage" behind the home of a composer and his family. He seems sweet, but what do they really know about him?
1
A spectacular journey of an unwilling young hero thrust into a mysterious past full of monsters, dragons, and strange hidden powers. Through a series of out of this world battles and adventures, Jun, a shy middle school boy, is transformed into a hero destined to battle evil and ensure harmony and tranquility in the world.
0
Grow up, check your sensitivity at the door and feel the comedic wrath of entertainment icon Joan Rivers. In this brand new live stand-up event Joan goes to great lengths to take on everyone with her trademark wit. With her infectious energy Joan owns the stage from start to finish, leaving the audience in stitches as everything and everybody who's somebody are fair game
1
Great Patriotic War, 1945. After barely surviving a battle with a mysterious, ghostly-white German Tiger tank, Red Army Sergeant Ivan Naydenov becomes obsessed with its destruction.
-1
It's graduation weekend, and Sandy Channing, the popular class president of her small-town high school, should be enjoying the time of her life. But when her friends start disappearing, Sandy discovers they have unwittingly awakened the vengeful spirit of a girl they wronged long ago. Fighting for her sanity, Sandy must unlock a dark secret from her own past before it's too late.
0
With nothing more than a blazing spirit of philanthropy and his beat-up red wagon, Zach sets out to help homeless children in America. In the process, he sweeps his fractured family - and ultimately the entire country - along with him.
0
This documentary tells the story of an unsung hero and self-made man, David Abbott Jenkins, who, with almost superhuman stamina and boyish charm, set out to single-handedly break every existing land speed record on his beloved Bonneville Salt Flats of Utah. More than a century later, many of "Ab's" records remain unbroken and the legacy lives on in his custom car. Looking like something Batman would have owned, the story comes full circle when Ab's son Marv, restores the 12-cyclinder, 4800-pound "Mormon Meteor" to its glory days for a ceremonial lap on the salt.
4
Many years have passed since the tragic events at Blood Fart Lake, where Jimmy dispatched a bunch of party going, cabin dwelling kids before he could be stopped by Ben Scrivens & his red neck pal, Leo Dechamp. Now Jimmy has returned, this time preying on a group of "Spirit Hunters" searching for the truth to his killings, & Ben must track down Leo before they're added to his list of victims!
-2
Nicky's Family is a gripping documentary from the International Emmy Award winning producers Patrik Pass and Matej Minac about a rescue operation of the “British Schindler” - Sir Nicholas  Winton who will celebrate this year 103rd birthday. His story has no parallel in modern history. Dramatic reenactments, some of the archive footage never seen before, rescued "children" together with Mr. Winton himself recount this unique story which even after 70 years continues to inspire people, especially children, to make this world a better place.  World personalities His Holiness Dalai Lama and Nobel Prize winner Elie Wiesel also took part. ( - from the film's press kit)
8
Thanks to a strict Muslim upbringing that largely shielded him from the outside world, Tariq's first year of college proves transformative. That is, until the 9/11 terrorist attacks invite growing suspicion and distrust from his angry classmates.
-5
As part of the Willie Handcart Company, Levi Savage (Jasen Wade) feared that leaving late in the season would lead to despair and death. What he came to find out is that for every tragedy, there is a multitude of miracles. Based on unbelievable actual events, and brought to you by filmmaker T.C. Christensen (Praise to the Man, The Work and the Glory), 17 Miracles will open your eyes to the stories of the Mormon Pioneers as you have never seen them before. Something extraordinary is about to happen.
2
Chris Quantum is your typical Middle School student -- except if you take into account one of his best friends is a robot named Gizmo. Add his best friend Joy Pepper into the mix and you have a recipe for adventure. The adventures begin for this trio when a mysterious device appears and takes them on journeys throughout the Bible. Travel back in time and get ready for the journey of a lifetime!
3
Four friends lose themselves in a carefree South-East Asian holiday. Only three come back. Dave and Alice return home to their young family desperate for answers about Jeremy's mysterious disappearance. When Alice's sister Steph returns not long after, a nasty secret is revealed about the night her boyfriend went missing. But it is only the first of many. Who amongst them knows what happened on that fateful night when they were dancing under a full moon in Cambodia?
-4
When his brother-in-law runs afoul of a drug lord, family man Chris Farraday turns to a skill he abandoned long ago—smuggling—to repay the debt. But the job goes wrong, and Farraday finds himself wanted by cops, crooks and killers alike.
-3
On the surface William Travers is a picture of success. An accomplished criminal barrister happily living with his wife in rural Suffolk. However, Travers is still recovering from a traumatic series of events that have shaken his belief in the legal system.

Reluctantly, he is drawn into a case that involves his old friend Martin Newall who faces conspiracy and murder charges while at the same time being investigated by a vicious and vengeful detective DS Mark Wenborn.
-4
Welcome to the special special special comedy special.  It's very good.  I love comedy. And who do I want to make laugh more than Marilyn and Joel Bamford, my parents?  So, we've cut out the middle man of 200 strangers in a tv studio and gone right to the source.  With some paid audiences, the feigned enthusiasm can be a little uncomfortable to watch, but I genuinely rock the house.  My parents only wish they could be there with you when you watch this with your parents.
3
In the last moments of World War II, a secret Nazi space program evaded destruction by fleeing to the Dark Side of the Moon. During 70 years of utter secrecy, the Nazis construct a gigantic space fortress with a massive armada of flying saucers.
-3
A decade after the American Civil War, Edward Young returns home from a hunting trip to find a horrific reanimation of his wife and that their son Adam has disappeared. He must battle his way through an unexplainable outbreak of the walking dead.
-3
When reporter Dan Geraldo (Alain Chabat) arrives in Palombia to hunt for a scoop, he never suspects that he is about to make an incredible discovery... With his resourceful local guide Pablito (Jamel Debbouze), D an has one surprise after another during a thrilling adventure that allows him to bring the world some spectacular news: the Marsupilami, a mythical and mischievous animal, really does exist! You too will believe in furry tails!
2
The story of the Cowsills, an American band consisting of family members who rose to fame in the 1960s and served as the real-life inspiration for the “The Partridge Family” TV series.
2
Cocky young attorney Michael Gray finds himself framed for murder when an inmate he is defending violently kills himself during their interview at South River State Penitentiary. Now locked in the same nightmarish Cell 213 where his client died, he soon realizes that unnatural forces are behind a string of inmate suicides, making matters of guilt and innocence not as cut and dry as they seem.
-9
The story revolves around Dominik Liebmann: a man who has lost everything: His wife, son, job, house - even his pride. Financially and emotionally bankrupt he enters Berlins first and only "Männerhaus": a shelter for battered men. He meets Holger the director of the house and its members. After a psychiatric examination by the youth welfare office he has to participate in the Group Therapy Session of the "Männerhaus" in order to get custody for his son Dylan. After an initial resistance Dominik decides to participate and so the other members of the "Männerhaus" learn about Dominiks past... Director Philipp Müller-Dorn takes a daring and provocative look inside the world that very few men, out of embarrassment or retaliation, speak of: domestic abuse by their partner. In the dramatic film eMANcipation, ...
-5
Sir David Attenborough unveils the two stunning underwater realms of Saudi Arabia - the flamboyant Red Sea and the contrasting hot muddy Gulf, capturing for the first time the rare event of Palolo worms spawning at night.
1
A Victorian comedy adventure in the style of Charles Dickens following shop owner Jedrington Secret-Past. Jedrington teams up with a seemingly charming new business partner, Harmswell Grimstone. As the Secret-Past family's fortunes rise, it looks like they are built on crumbling foundations indeed, especially when it is revealed that Conceptiva too has a secret that turns out to be even darker than Jedrington's own.
1
A woman tries to help her teenage daughter when she becomes the victim of online bullying.
-1
Koch Brothers Exposed is a hard-hitting investigation of the 1% at its very worst. This full-length documentary film on Charles and David Koch—two of the world’s richest and most powerful men—is the latest from acclaimed director Robert Greenwald (Wal-Mart: the High Cost of Low Price, Outfoxed, Rethink Afghanistan). The billionaire brothers bankroll a vast network of organizations that work to undermine the interests of the 99% on issues ranging from Social Security to the environment to civil rights. This film uncovers the Kochs’ corruption—and points the way to how Americans can reclaim their democracy.
2
The film follows a petty rock band called the Winners, consisting of vocalist Joey Winner, bassist Jennifer, guitarist Tyler, drummer Sam, and French-Canadian roadie Hugo, along with their sleazy manager Jeff, as they tour across Canada and the USA after Jennifer is turned into a vampire by Queeny. Meanwhile, a vampire hunter who is afraid of the dark named Eddie Van Helsing quickly chases them down.
-2
The story takes place in Carhaix, in the heart of Brittany. A small hospital, with a calm maternity clinic, where few births take place. Mathilde, a mid-wife, Firmine, a pediatric nurse, and Louise, the owner of the Carhaix bowling alley, are all friends and lead a happy existence. Catherine, director of the establishment's Human Resources, is sent to restructure the hospital and, most importantly, to eventually shut down the maternity clinic, which is losing money. Four women whose age, personalities, and origins are different, but who will form a quartet overflowing with humanity and humor as they join forces to save the clinic. Life, love, friendship, Brittany and... bowling.
5
Seventeen-year-old Nicole Gordon begrudgingly moves to Philadelphia from the wealthy suburbs when her mother becomes the city's new Assistant DA. As Nicole explores the city's streets, new-found friends put her in the middle of an escalating drug war and in the crosshairs of her mother's own investigation.
1
Joshua Lazarus (Nick Stahl) is a telepath who has been raised in a NSA foster home. Lazarus helps the government by using his abilities. He is told by the agency that the telepathy is a side effect of Widmann's Disease, and that he will become insane in time and eventually die from the illness. However, Lazarus meets a woman with similar powers (Mía Maestro) who does not have any sign of the disease, launching Lazarus to confront the lies he has been told
-5
Many objected to leather-jacket, spike-hair kids with tattoos. But, that did not dissuade a generation... No one realized that a little club in Costa Mesa, CA would end up spawning a multi-billion dollar youth culture that still endures today! It was the Cuckoos Nest of the late 70s and early 80s. With archival, unseen and new footage, the filmmakers compiled an intimate story about the beginning of a movement, a place of refuge for a youth culture, a fearful establishment and a police force that didnt understand what was happening.
-1
The film takes place in the Priests office in a Brooklyn parish. It's told in flashbacks and gives the audience a chance to witness the inner workings of this horrible association that has destroyed families and communities throughout the country. The main character who is played by world champion boxer Paul Malinaggi is full of emotion and personal experiences that plays as an eye opening to anyone that has lost or steered away from God. Paul is so charismatic that in the end you will not only feel for this man you will understand his pain and the need for redemption. The film stares Will Wallace (Tree of life) Joe Estevez, Adam Nelson ( Mystic River) Joe D' Onofrio (Bronx Tale) Carmen Argenziano(God Father)
0
A group of friends are lured to an isolated cabin by a promise of heavy partying, only to find themselves in a nightmarish game of truth or dare.
-1
The sins of the past are not forgotten in this chilling suspense thriller. When the first body was discovered, it seemed a coincidence. But now homicide detective Jack Verdon has cause to worry: the victims of a series of brutal sex murders are all his former girlfriends. Suspected by the FBI agent who’s taken over the case and suspended by his captain, Jack must work outside the law if he’s to find the killer, save his future and protect what’s left of his past.
-3
A seductive teen becomes vindictive when her boyfriend tries to end the relationship.
-1
When Paul, an unemployed writer, decides to rent and live in a house that's rumored to be haunted, he puts his life and his relationships in grave danger as he obsessively attempts to get the story that will finally make his career.
-3
Tad is a celebrity archaeologist and adventurer just like his hero Max Mordon... in his dreams! In reality, Tad is a Chicago construction worker. One day, however, he is mistaken for a real professor and takes his place on a flight to Peru in search of the lost city of Paititi.
0
Memorial Day, 1993. When 13-year-old Kyle Vogel discovers the World War II footlocker belonging to his grandfather, Bud, everyone tells Kyle to put it back. Luckily, he ignores them. Although Bud has never talked about the war, he finds himself striking a deal with his grandson: Kyle can pick any three souvenirs, and Bud will tell him the stories behind each one. Memorial Day not only takes us on a journey into Bud's complicated wartime past, but also into Kyle's wartime future. As the two men share parallel experiences in combat, they come to realize how that magical day on the porch shaped both of their lives. 
1
Sam loves scary movies, especially the ones with Dracula. This year, instead of writing to Santa for Christmas, Sam writes to Dracula, telling Dracula that he wants to be a real vampire on Halloween this year. Sam is in for quite a surprise as the most famous of all vampires himself responds.
1
The story of the credit bubble that  caused the financial crash. Through interviews with some of the world's leading economists, including housing expert Robert Shiller, Nobel laureate Joseph Stiglitz, and economic historian Louis Hyman, as well as Wall Street insiders and victims of the crash including Ed Andrews - a former economics correspondent for The New York Times who found himself facing foreclosure - and Andrew Luan, once a bond trader at Deutsche Bank now running his own Wall Street tour guide business, the film presents an original and compelling account of the toxic combination of forces that nearly destroyed the world economy.
-1
A trio of clueless minors embark on a quest to get into the local bar, in the hopes of scoring with the opposite sex.
-1
William G. Wilson is co-founder of Alcoholics Anonymous, a man included in TIME Magazine's "100 Persons of the 20th Century." Interviews, recreations, and rare archival material reveal how Bill Wilson, a hopeless drunk near death from his alcoholism, found a way out of his own addiction and then forged a path for countless others to follow. With Bill as its driving force, A.A. grew from a handful of men to a worldwide fellowship of over 2 million men and women - a success that made him an icon within A.A., but also an alcoholic unable to be a member of the very society he had created. A reluctant hero, Bill Wilson lived a life of sacrifice and service, and left a legacy that continues every day, all around the world.
-4
Isabelle, HR of a large cruise company, made the mistake of choosing her boss as a lover. Before embarking on the maiden voyage of the new flagship of the fleet, though, he decided to disembark from their relationship! Some women take their revenge by poison, firearm, or slander. Isabelle chooses Remy a flamboyant, unemployed ne'er-do-well who flunked out in life on land, but after all is said and done, might have better luck at sea... She recruits him as leader of her plot and on this Palace of the Seas, Remy will first prove to be the worst nightmare of the CEO and Richard, the Cruise Director...then, little by little, he will change his life and that of all those who cross his path...
-5
Law enforcement officers Adam Mitchell, Nathan Hayes, and their partners stand up to the worst the streets have to offer with confidence and focus. Yet at the end of the day, they face a challenge that none of them are truly prepared to tackle: fatherhood. They know that God desires to turn the hearts of fathers to their children, but their children are beginning to drift further and further away from them. When tragedy hits home, these men are left wrestling with their hopes, their fears, their faith, and their fathering. Can a newfound urgency help these dads draw closer to God... and to their children?
-1
A cop turns vigilante after his family is murdered, exacting vengeance on the killers - and then on all criminals who have slipped through the system.
-3
Percival Pirate goes on a journey to discover his Grandpappy's hidden treasure chest. What he believes is treasure turns out to be four never before seen horror films.
2
An Indian-American surprises his family when he announces his desire for an arranged marriage with an Indian woman, though his affection for a longtime American friend complicate his plan.
1
Talent can only get you so far. For golfer Luke Chisholm, that turns out to be Utopia, Texas -- where he's left stranded after blowing his pro debut.
1
Two brothers are trying to find out the truth from years ago. The whole town is against them.
0
When Grace is accused of playing a role in a deadly accident, her best friend reaches out from beyond the grave to unveil the truth behind what happened.
1
Bride-to-be Jessie Patterson calls off her third engagement - during the ceremony! She swears off serious relationships, until she meets and is pursued by Aiden MacTiernan. Aiden, on the other hand, has bet his friends he is marriage material, and can find a fiancé in the four weeks leading up to Christmas. When Jessie and Aiden begin to fall for each other, Jessie must decide if she is ready for serious love, and Aiden must decide if his bet is worth risking his relationship with Jessie.
3
Set in the 1990's, the drama centers around a female high school student Shi Won, who idolizes boyband H.O.T and her 5 high school friends in Busan. As the timeline moves back and forth between their past as 18-year-old high schoolers in 1997 and their present as 33-year-olds at their high school reunion dinner in 2012, where one couple will announce that they're getting married.
1
A documentary that follows the former Tonight Show. Filmed during Conan’s ”Legally Prohibited From Being Funny on Television” comedy tour, after his departure from the Tonight Show, takes viewers into an intimate journey of O’Brien’s life.
0
This ensemble comedy follows the Pullham University Bluecocks, a small liberal arts college with a Division III football program (the lowest division in the NCAA). When the head coach unexpectedly dies, the future of the flailing football program is in jeopardy, as they have not had a winning season in decades. In a desperate attempt to create some media attention for the athletic program and the university, President Georgia Anne Whistler hires known lunatic and felon, Coach Rick Vice, for what could be the football programs final season.
-5
A vivid, dynamic Southern coming-of-age drama, takes place in the transitional space between high school and college, when life seems to be all questions and no answers, and the future is scarily wide open. Set in and around a Charleston, SC Baptist church, weaving through this ensemble piece are three main characters - Brea, an introspective pastor's daughter experiencing debilitating doubt, the hyperactive Laura, Brea's best friend and a devout believer, and Tim, the open-hearted son of a single father, confronting his homosexuality for the first time. Tensions and buried feelings abound, as colleges are chosen and adults behave badly, as Brea, Laura and Tim attempt to hang onto what they have, all the while yearning to break free.
-1
When her child goes missing, a mother looks to unravel the legend of the Tall Man, an entity who allegedly abducts children.
-1
Krissy Kringle receives a delivery intended for Santa Claus.  A magical book that shows if a person has been naughty or nice.  She uses the book's power to find out about those around her, which leads to some very unusual and unintended results.  Krissy realizes that everyone has some good and some not so good in them.
3
Caustic comedian and best-selling author Jim Norton pulls no punches in his first EPIX comedy special, going after jaw-dropping laughs not intended for the faint of heart. Among his targets: the national hypersensitivity epidemic - leading celebrities, talking heads and regular Joes alike to get offended by just about anything. Norton's got a message for those people, and it's in the title.
-1
The story of Will, a shepherd's son whose land is ravaged by a dragon.
0
When Dot's granddaughter puts her into a nursing home, Stella stages a breakout, and takes Dot to Canada so they can get married. They pick up a hitchhiker along the way.
0
A career criminal nabbed by Mexican authorities is placed in a tough prison where he learns to survive with the help of a 9-year-old boy.
-1
Fugget About It is a Canadian adult animated sitcom created by Nicholas Tabarrok and Willem Wennekers for Teletoon's Teletoon at Night block. The show is rated 18A for sexuality, violence, and swearing. The show was created from the Pilot Project contest on Teletoon.
0
Jeff Schwarz, the owner of a large liquidation house, works seven days a week following leads and tips that could bring him to the next big buy. Back at the shop, his crew works to make room for the new merchandise by finding buyers for the old.
3
Experience the show that quickly became a national phenomenon. Get an up-close and personal look at Kevin Hart back in Philly where he began his journey to become one of the funniest comedians of all time. You will laugh 'til it hurts!
-1
Amanda, a brilliant aeronautical engineer, is enraged when her breakthrough design is stolen and patented by her colleague Brendan. When he is found murdered, she becomes the prime suspect and soon finds she is not only fighting for her design - but fight for her life - as someone out there is determined to silence her protest for good.
-1
Despite repeated warnings about humans from their father, the Abominable Snowman, two Abominable Snowkids find themselves in a sleepy Colorado mountain town after being chased out of their hideaway by a scientist determined to capture them.
-3
The mysterious murder of a US senator bearing the distinctive trademark of the legendary Soviet assassin 'Cassius', forces retired CIA operative, Paul Shepherson to team with rookie FBI agent, Ben Geary  to solve the crime. Having spent his career chasing Cassius, Shepherdson is convinced his nemesis is long dead, but is pushed to take on the case by his former supervisor, Tom Highland. Geary, who wrote his Master's thesis on Shepherdson's pursuit of the Soviet killer, is certain that Cassius has resurfaced.
-4
A group of friends awake one morning to find all electricity and power shut off and an immense alien aircraft hovering in the air above their heads. Suddenly this regular group of friends is battling to survive as the entire human race is threatened by the alien army hovering ominously above.
0
A college student is determined to become a Major League Baseball star, but finds his true calling instead.
0
During a harsh Montréal winter, an elementary-school class is left reeling after its teacher commits suicide. Bachir Lazhar, a charismatic Algerian immigrant, steps in as the substitute teacher for the classroom of traumatized children. All the while, he must keep his personal life tucked away: the fact that he is seeking political refuge in Québec – and that he, like the children, has suffered an appalling loss.
-4
For years, mild-mannered Wall Street banker George Needleman has meandered through life oblivious to his family's dysfunction and his company's malfeasance, but he's forced to wake up when he learns that he's been framed in a mob-backed Ponzi scheme. Placed under federal protection, George and his family are shipped down South to Madea's house, where the no-nonsense matriarch whips them all into shape using her special brand of tough love.
2
A bomb disposal expert becomes bitter and lonely and is unable to fall in love until he is forced to deal with his past.
-4
American Guns is a reality television series that aired on the Discovery Channel. The series centers on the blended family where patriarch Rich Wyatt, his wife and his children run Gunsmoke Guns, located in Wheat Ridge, Colorado;. They specialize in gun manufacture, trade, customization, and instruction.

On December 17, 2012, Discovery announced the cancellation of the series.
1
An Indian agent is sent to observe the actions of a scientist but the mission becomes complicated when he falls in love with the scientist's Pakistani caretaker.
-1
Dave and Emma have found the perfect house, until they discover a stash of heroine and end up imprisoned in it by violent thugs.
0
Venu works at a roadside shop and loves Jyothi, a maidservant in the nearby apartments. Before Venu gets a chance to express his love to her, she meets with an accident and he is arrested.
3
Narrator Damian Lewis tells the story of the building and dedication of the Richard D. Winters Leadership monument in Normandy, France in June of 2012. The film focuses on the leader of World War II's "Band of Brothers" and the leadership skills he possessed. A never before seen interview with the late Major Winters is utilized, as well as interviews with the "Band of Brothers" who are still alive.
2
Amelia's blog empowering women not to tolerate violent relationships has brought her fame, fortune and now someone is out to kill her. Is it the new man in her life, her now paroled ex who inspired the blog, or a deranged fan? Just as she has put the pieces of her life back together, Amelia must figure out who is behind the bizarre string of attacks and stop them before her own life comes to an ironic and violent end.
-4
Richard Hammond's Crash Course is an original series made for BBC America, presented by Top Gear presenter Richard Hammond. The show's first season premiered on April 16, 2012. The show follows Hammond, as in each episode, he is given three days to learn how to operate various pieces of heavy equipment across the United States. A trailer for the series was posted on BBC America's official website on March 19, 2012. The series' first season began airing on BBC2 in the United Kingdom on September 2, 2012.
0
After rich businessman Paul Greco (popular daytime star Jon Lindstrom) retires early, his imperious sister Elise (two-time Emmy Award® nominee Wendie Malick) tries to get him to settle down with the woman of her choosing. But Paul seems more interested in developing his friendship with Andy (cutie Chris Murrah), a charming gay man he meets at a dog park.
2
Comedian Josh Blue takes to the stage in this 2012 stand-up special with his unique brand of self-deprecating humor to discuss marriage and fatherhood, life with cerebral palsy, and growing up as an African-American who happens to be white.
1
The clumsy and unfunny clown Richard "Stitches" Grindle entertains at the 10th birthday party of little Tom, but the boy and his friends play a prank with Stitches, tying his shoelaces. Stitches slips, falls and dies. Six years later, Tom gives a birthday party for his friends at home, but Stitches revives to haunt the teenagers and revenge his death.
-3
An intimate, affecting portrait of the life and work of ground-breaking performance artist and music pioneer Genesis Breyer P-Orridge (Throbbing Gristle, Psychic TV) and his wife and collaborator, Lady Jaye, centered around the daring sexual transformations the pair underwent for their 'Pandrogyne' project.
2
Documentary about the life of skateboarder Danny Way and his attempt at jumping over the Great Wall of China on a skateboard.
1
The Unbookables is a narrative documentary about stand-up comics who have spent their careers pushing limits--on stage and off. Relegated to small venues and touring in a crappy van through the Midwest they careen between the desire to succeed and the reality that there may be nothing left to lose. Road life is far from glamorous: comics come and go and cruel pranks and hard drinking punctuate their obsidian dark comedy on stage. They succeed and fail-spectacularly. When they face being fired for going too far on stage, the conflict culminates in a showdown: compromise or double down?
-5
Personal injury attorney Stuart Pepper faces the challenge of his young career when he takes on a controversial case of wrongful death in small town Iowa. Kevin Thacker's body was found in the alley outside the Marshalltown Police Department after the young man was arrested for drunk driving. The arresting officer's story is highly suspicious and everyone involved, from the investigating detective to the FBI, appear to be aiding in covering up what actually happened that fateful night. With a promise made to the Thacker family to expose the truth, Stu dives head first into an uphill battle against lies and corruption. What transpires will change this lawyer's life forever.
-8
Documentary following the story of teenager Jamie Campbell, who wants to be a drag queen. Growing up in an ex-mining village in County Durham, Jamie has already faced his fair share of difficulties after coming out as gay at 14. However, with the majority of his family and friends being supportive, he has decided that he is ready to share his passion with the world. He plans to embrace who he really is by attending his end of school prom in drag, but he doesn't get the reaction he'd hoped for from both his school and his own father. Jamie has to make some difficult decisions. Jamie spends time with an established drag artist and battles his demons, performing as his alter ego, Fifi La True, for the very first time in front of a large audience. As Jamie has some frank and intimate family moments, and finds out just how strong he really is, the film explores his hopes and fears for the future. Will he get the acceptance he craves from his peers and the confidence to be who he really is?
0
Living in the depths of the New Guinean Rainforest are birds of unimaginable color and beauty. When Europeans first saw the plumes of these fabulous creatures in the sixteenth century they believed they must be from heaven and called them Birds of Paradise. The people of New Guinea make even greater claims. They say the birds possess supernatural powers and magic. But to find these birds in New Guinea is one of the toughest assignments and to witness their extraordinary mating displays is even tougher. David Attenborough introduces a young team of New Guinean scientists on a grueling expedition to find and film these Birds of Paradise; the holy grail of wildlife filmmakers.
9
A former NCAA champion wrestler is paroled after 10 years in prison. Now, to save a friend's life, in a series of cage fights he must agree to do the impossible - lose.
-2
Mary Tobin has wonderful memories of family gatherings at the Christmas Lodge. When she arrives for a weekend vacation, she quickly realizes that the lodge that she loves has fallen into serious disrepair. With a lack of funds and a looming deadline, she not only restores the Christmas lodge's charm but finds love along the way.
2
The hilarious comedian familiar to audiences around the world from his many radio, television and movie appearances tackles his favorite related topics: the decline of civilization and the rise of pop culture. From declining home values to the swine flu, Alonzo Bodden's paying very funny attention to it.
-1
A mechanic looking to save his faltering marriage strikes up an unlikely friendship with a shy Vietnamese-American manicurist.
-2
Documentary filmmaker Erik and closeted lawyer Paul meet through a casual encounter, but they find a deeper connection and become a couple. Individually and together, they are risk takers — compulsive, and fueled by drugs and sex. In an almost decade-long relationship defined by highs, lows, and dysfunctional patterns, Erik struggles to negotiate his own boundaries and dignity and to be true to himself.
-2
Zhen Huan, a 17-year-old innocent introduced into the imperial court as the latest concubine of Emperor Yong Zheng. Her dreams of a new life of love and prosperity are swiftly dashed as she enters a dog-eat-dog world of treachery and corruption.
0
When the FBI hires her to go undercover at a college sorority, Molly Morris (Miley Cyrus) must transform herself from a tough, streetwise private investigator to a refined, sophisticated university girl to help protect the daughter of a one-time Mobster. With several suspects on her list, Molly unexpectedly discovers that not everyone is who they appear to be, including herself.
1
Overbearing mom, Jackie, travels cross-country to be with her son, Angelo, after he drops out of college to become a surfer. She meets a surf instructor who convinces her to try to accept her son's wishes and allow him to follow his dreams.
-1
In the early to mid '90s, when the South African system of apartheid was in its death throes, four photographers - Greg Marinovich, Kevin Carter, Ken Oosterbroek and João Silva - bonded by their friendship and a sense of purpose, worked together to chronicle the violence and upheaval leading up to the 1994 election of Nelson Mandela as president. Their work is risky and dangerous, potentially fatally so, as they thrust themselves into the middle of chaotic clashes between forces backed by the government (including Inkatha Zulu warriors) and those in support of Mandela's African National Congress.
-3
On the eve of the annual Scarecrow Festival, two St. Charles police officers search for a return killer the same night four teenagers go missing on Munger Road
-1
A homicide detective is forced to work alongside her ex-fiancé to investigate a murder that bears all the hallmarks of an infamous serial killer.
-1
Sammy and Ray, leatherback turtles and friends forever, are enjoying an atoll's water and sand, shepherding new hatchlings Ricky and Ella out to sea. Suddenly, a poacher swoops in and ships them off to be part of a spectacular aquarium show for tourists in Dubai. The kingpin of the place, Big D the seahorse, enlists them in his plans for a great escape. But with their new friends Jimbo the bug-eyed blob fish and Lulu the snippy lobster, Annabel the sweet Octopus, and a whole family of penguins, Sammy and Ray hatch breakout plans of their own. That is when little Ricky and Ella arrive, determined to break in to rescue them. After a series of thrilling adventures and narrow escapes, our heroes head south to meet up with Shelly, Sammy's first and only love.
6
An elite hitman returns to erase his past only to find that somebody has messed with his future.
-1
Rob Haley, an up-and-coming chef and restaurateur in London, is grief-stricken when he loses his wife. With encouragement from his infamous friend and real life TV Chef Gordon Ramsay, Rob decides to spice up his life by turning a run-down country pub into a gourmet restaurant. His food catches the eye - and taste buds - of beautiful American food critic Kate Templeton and they soon both write a recipe for love that leaves both their hearts - and their stomachs - in full.
-1
A team of parapsychologists sets out to investigate a series of anomalous phenomena taking place in a newly occupied apartment. Telephone calls with no caller, mysterious shadows, extraordinary light emissions, flying objects, and exploding light bulbs are some of the events they will face while recording their every step with state-of-the-art technology. Using infrared filming, digital photography, psychophonic recordings, movement detectors, and magnetic field alteration meters, the group’s attempts to contact the “other side” will grow increasingly dangerous as they near a point of no return.
-2
Neglected by her workaholic husband, a young wife, Maren Abbott, meets a man through Wandering Eye - a networking website designed to facilitate extramarital liaisons. Charming as he is, she realizes she can't go through with the affair. When he is found brutally murdered in their hotel room, infidelity is the least of Maren's worries as she finds herself in the cross-hairs of a serial killer who uses the website to trawl for his next victims. Written by Incendo Media
-2
Based on the book “The Legend of Mickey Tussler”, this film follows the story of eighteen-year-old Mickey Tussler, who lives on a farm with his father and mother and who has Asperger’s Syndrome, a form of autism. But he can throw apples at an amazing speed.  When a chance meeting occurs with the baseball manager of the semi-pro team the River Rats, from Clayton, Ohio, Mickey gets a chance to pitch for the team and to prove to his father he can do more than live hidden away on the family farm, taking care of his pig Oscar.
-1
Picking up right where the original ended, Marybeth escapes the clutches of the swamp-dwelling killer Victor Crowley. After learning the truth about her family’s connection to the hatchet-wielding madman, Marybeth returns to the Louisiana swamps along with an army of hunters to recover the bodies of her family and exact the bloodiest revenge against the bayou butcher.
-2
A father on vacation wakes up separated from his family and races through the woods to find them.
0
Scathingly satirical comedian Nick Di Paolo brings his razor wit, trademark sarcasm and strong political views to this socially relevant, typically reckless stand-up performance.
-3
A man crossing into Mexico with a satchel of $2,000,000—and a bloody past—finds himself under sudden attack in the sleepy town of El Fronteras.
-2
In order to win the Street Dance Championships, a dance crew is forced to work with ballet dancers from the Royal Dance School in exchange for rehearsal space.
2
When Henry fails yet again to hand in his homework for the umpteenth time, he has no idea that this will set off a chain of events which will see him forming an unlikely alliance with Moody Margaret, the infuriating girl next door, and his irritating little brother Perfect Peter, outwitting corrupt School Inspectors and toppling an evil Headmaster, winning a talent contest and facing his ultimate nemesis with no way out.
-5
Hungry for adventure, Thor secretly embarks on the journey of a lifetime, joined by his loyal brother Loki, whose budding sorcery equips him with just enough magic to conjure up trouble, along with the Warriors Three - a band of boastful travelers reluctant to set sail on any adventure that might actually be dangerous. But what starts out as a harmless treasure hunt quickly turns deadly, and Thor must now prove himself worthy of the destiny he covets by saving Asgard itself.
2
In 1977 a group of young, horny, out of control Christians are spending a fun filled weekend at the mountain lakeside Happy Day Bible Camp. One by one these youthful sinners pay a BLOODY penance for their misdeeds. Flash forward 7 years, when another youth group of Bible toters return, lead by "Father Richard Cummings" (Reggie Bannister), "Sister Mary Chopper," (Tim Sullivan) goes bloody murder after the camp - emphasis on CAMP - with stand out performances by folks like Gigi Bannister, Jessica Sonneborn, Troy Guthrie, Deborah Venegas, Jay Fields, and Jeff Dylan Graham. In the end, Bannister and Troup must face down the a transvestite serial killing nun in a fight to the death, and call upon the higher graces of the infamous Ron Jeremy as "Jesus" guide them through! A hilarious campy equal opportunity offensive film that will have you DIE laughing!
-1
Professor Jim Al-Khalili tells the electrifying story of our quest to master nature's most mysterious force - electricity. Until fairly recently, electricity was seen as a magical power, but it is now the lifeblood of the modern world and underpins every aspect of our technological advancements. Without electricity, we would be lost. This series tells of dazzling leaps of imagination and extraordinary experiments - a story of maverick geniuses who used electricity to light our cities, to communicate across the seas and through the air, to create modern industry and to give us the digital revolution.
6
Drama inspired by the true story of classical pianist Joyce Hatto. Victoria Wood's new strange-but-true drama about musical deception and enduring love
0
Join dancing internet sensation Gummibar in his first ever movie adventure! When Santa vanishes on Christmas Eve, Gummibar and his band of wacky, misfit friends shake their booties from the North Pole to the tropics on a madcap search. But when they discover Santa was abducted by a dance-crazed alien, the fate of Christmas morning rests in the hands -- and feet -- of our lovable green gummy bear!
0
Mauro Bosque explores some of the most dangerous places in the world and sharing those adventures on his Internet reality show, HOMBRE Y TIERRA. In January of 2005 he sought out to explore the dense forests of Belize to search for a series of legendary caves which he believes were once home to a clan of historic Mayan warriors. While on that excursion, he disappeared without a trace. What happened during that three day hike has remained a mystery until the recent discovery of classified footage stolen from a Belezian government office.
-4
Nate takes his family for a camping trip to reconnect. When they pull off at a rest stop, a gang of thieves hides their stash from an armored car robbery among the family belongings. They soon find themselves on the run and the gang will stop at nothing to get their money back.
0
During the elimination of the Belgian/French border in the 90s, a Belgian customs officer is forced to team up with one of his French counterparts.
-1
A group of rodeo trick-riders recruits a young girl to join them.
0
The truth is way stranger than fiction,” muses one interviewee in this unbelievable true account of an incredible war time saga. As the Second World War was coming to a close, the US Office of Strategic Services trained and parachuted two Jewish refugees and a German deserter deep into Nazi occupied Austria. Through vivid first-person accounts, re-enactments, archival footage and learned commentary, the film reveals how their efforts disrupted a vital supply route between Germany and the Italian front to bring about the surrender of Innsbruck to Allied Forces. Their unbelievable adventure has a finale that beats any Hollywood movie hands down — but a story so powerful that it became the basis for Quentin Tarantino’s mega hit.
-2
This intimate and loving portrait of the legendary arbiter of fashion, art and culture illustrates the many stages of Vreeland's remarkable life. Born in Paris in 1903, she was to become New York's "Empress of Fashion" and a celebrated Vogue editor.
5
Nate Shepherd, late 40's, and Jenny Sparks, early 30's, meet in a fancy New York eatery. Complete strangers who have had a rotten day, waiting for their better halves, they reveal to one another that they are going to meet new people tonight. They quickly realize they are waiting for each other. When Nate loses his girlfriend (after getting fired from his cushy job at an ad agency) and Jenny loses her boyfriend to a drug overdose, Nate's girlfriend suggests that they should move in together as friends to split the rent and ease each others pain. As their friendship grows into something more, their relationship becomes a loving but complicated experience.
-2
The true story, based on a Deathbed Confession, about what really happened to Frank Morris and the Anglin brothers who escaped from Alcatraz Prison in 1962. They made it- but what happened next is shocking. Investigated by the US Marshals.
-3
When three redneck brothers agree to help a woman save her son from an abusive father, they become targets on the run from an odd cast of characters.
-2
Titeuf is a comic series created by Swiss draughtsman Zep (real name Philippe Chapuis) depicting the life of a young boy (the title's namesake Titeuf, "Tootuff" in the English translation) and his vision of the adult world & themes such as love, sex, seduction and mysteries about the girls.  In this film, Titeuf (Donald Reignoux) is off on a new comedic adventure! Things get complicated when Nadia (Melanie Bernier) doesn’t invite Titeuf to her birthday party, which is surely the most horrible moment of his life. Before long, Titeuf’s whole life is turned upside down when his parents are nearly deported. Everything continues to spiral out of control even in the midst of Titeuf’s exhaustive attempts to make matters right.
-1
Set in Italy in the 1970s, VALLANZASCA is the true story of the Italian underworld’s most infamous outlaw. A criminal by age 9, Renato Vallanzasca grew up to become the country’s most notorious mobster before the age of 27. Vallanzasca and his gang wrested control of the Milan underworld with a string of high profile robberies, kidnappings and murders. In the process, he captivated the public and earned the nickname ‘il bel Renè’ – for his devilish charm and handsome face. Arrested multiple times, his daring escapes from prison enraged the government, angered his rivals and fed his legend.
-7
Under the Boardwalk: The Monopoly Story shows how the classic board game has become a worldwide cultural phenomenon and follows the colorful players who come together to compete for the coveted title of Monopoly World Champion.
3
A young teacher, Emily Bennett, sets out to clear her name after digitally fabricated pornographic photos of her are sent to her students. She soon discovers that this incident is linked to the kidnapping of another young woman and that she is now the kidnapper's next target.
1
From Diego Luna and Alejandro Fernandez, to Carla Morrison and Chavela Vargas, Duncan Bridgeman weaves a cinematic tapestry composed of original songs and insights from the most iconic artists and performers of contemporary Mexico. With striking visuals, the movie captures the rich diversity of Mexican geography, art, music, and culture. It is a rare look at the country's real identity, and an unparalleled celebration of what it truly means to be "Hecho en Mexico."
4
Tim Minchin is joined on stage by the awesome 55-piece Heritage Orchestra, led by Jules Buckley and by Pete Clements on bass and Brad Webb on drums.
2
Gordon sets up a business behind bars, attempting to get prisoners working and paying something back into the system. But training up a group of prisoners won't be easy...
-1
An adaptation of Margaret Atwood's book examining the metaphor of indebtedness.
0
A documentary about women's alcoholism chronicles the progression of the disease in Bette VandenAkker - a nurse, wife, and mother - who died in the fall of 2007.
-2
This film focuses on how a group of African American pioneers became respected masters in a subculture dominated by Chinese and white men.
2
After watching their best friend get murdered, a group of teens struggle to expose a local hero as the vicious killer and keep from becoming his next victims.
-1
Outsider and new kid Matthew desperately wants to join his high school's boxing team, but resident bully and boxing champion Hector stands in his way. Facing constant torment, Matthew finds an unlikely ally in Dan, the school's janitor and one-time amateur boxer. Together, they train for the biggest boxing match of Matthew's life and discover what it truly means to be a winner.
-3
Josh and Ling were expecting a boring vacation visiting each of their parents at an archaeological dig in China. But the new friends soon discover they're right in the middle of an adventure when they find a Chinese Golden Dragon.
1
We’ll Take Manhattan explores the explosive love affair between sixties supermodel Jean Shrimpton and photographer David Bailey.  Focusing on a wild and unpredictable 1962 Vogue photo shoot in New York, the drama brings to life the story of two young people falling in love, misbehaving and inadvertently defining the style of the Sixties along the way.
-2
Jim and his research team study the Canadian Lynx every year. This year, he has to take his rebelling 16 year-old daughter, Emmy, with him. But the lynx are missing. As Jim and his team try to find why, something stalks them--a predator no prey can escape.
0
It's 1981 and the girls of Alpha Gamma Theta sorority are having a party. As the new pledges arrive, so does an uninvited guest. Little do the sisters know someone is watching them in the shadows. As the girls shower, study, eat and sleep the stalker studies the girls. One by one he finds the girls at their most vulnerable and murders them. The police hunt for the missing girls and their killer, but will they find them in time? Or will the girls be forced to fight for their lives..
-3
A successful businessman attempting to resurrect his life buys and boards a dilapidated sailboat.
0
Tim's life is a joke. Literally.
-1
Alanis Obomsawin’s documentary The People of the Kattawapiskak River exposes the housing crisis faced by 1,700 Cree in Northern Ontario, a situation that led Attawapiskat’s band chief, Theresa Spence, to ask the Canadian Red Cross for help. With the Idle No More movement making front page headlines, this film provides background and context for one aspect of the growing crisis.
-2
Zou is about the day-to-day life and adventures of a young anthropomorphic zebra, Zou (Bizou), and his family and friends. Most episodes contain Zou's name in the title and usually take place at Zou's house or in his backyard. Zou lives with his mother, father, grandparents, and great-grandmother. Each episode features some simple problem or issue that Zou must deal with, usually with the assistance of his family and friends.
-2
Redakai: Conquer the Kairu, also known simply as Redakai, is a Canada/France co-production animated TV series, produced by Marathon Media and Spin Master in association with Canal J and Gulli, with the participation of Le Centre National de La Cinematographie, Telefilm Canada, The Canadian Film or Video Production Tax Credit, The Ontario Film and Television Tax Credits, and The Government of Quebec: Film and Television Tax Credit, Geston SODEC. The series is, however, the first Canadian-French co-production not to be produced with a Canadian channel. The series is 51.63% French and 48.37% Canadian. The series premiered on Canada's YTV channel on July 9, 2011 and aired on Cartoon Network one week after in the United States. In France, the series debuted on October 22, 2011 on Gulli and Canal J. They also set deals for other networks around the world.
1
Set against the turbulent backdrop of London in the 1940s, this adaptation of Sarah Waters' bestselling novel, The Night Watch, follows four young Londoners inextricably linked by their wartime experiences. In a time when the barriers of sexual morality and social convention have been broken down, Kay, Helen, Viv and Duncan enjoy a freedom never experienced before.  Moving back in time through the 1940s into the maelstrom of the Blitz, the lives, loves and losses of these four central characters are unravelled. For them, the post-war victory is bittersweet, for it returns them to the margins of society, from which they hoped they had been liberated. In order to build their future they must each make peace with their past.
2
Claude Banner befriends Patrick Frimpong from Ghana who does different jobs. Unbeknownst to him he starts to work for a Russian syndicate headed by Dimitri Pulev a ruthless hoodlum. Things take a bizarre twist when Patrick become the target of the syndicate.
-2
Upon learning that Judah has been trapped in the clutches of the townspeople and faces the possibility of being the sacrifice at the annual Festival, the stable mates leave their cozy barn and embark on an adventure to find and free their friend.
2
Vinayak, a suspended cop, helps a group of four men rob cricket betting money amounting to 500 crores INR. When it comes to splitting the amount, betrayal hits the team hard and a chase ensues.
-3
Ladies Vs Ricky Bahl movie is a fun-filled rom-com where a smooth and charming conman, Ricky Bahl, cons girls for a living but finally meets his match. Dimple Chaddha, a brash 19 year old Delhi college girl falls in love with Sunny Singh, a fitness trainer. Raina Parulekar, a 28 year old independent and successful corporate woman in Mumbai does business with an art dealer Deven Shah. Saira Rashid, a 24 year old sweet, hard working widow in Lucknow makes a new friend, the shy Iqbal Khan.  Three very different girls who each get taken for a lot of money by each of these three men. The problem is that it is actually just one man - Ricky Bahl who got the looks and he's got the charm. He could have the pick of the ladies. But love isn't Ricky's priority - money is!  But a chance encounter unites the three girls and, discovering the truth, they hatch a plan to get their money back. So now unsuspecting Ricky is about to meet his match in the shapely form of Ishika Desai
2
London-based Luv Agnihotri decides to end his bachelorhood and asks his Bollywood film-maker brother, Kush, to find a bride for him - much to the displeasure of his Dehradun-based father. Kush accordingly meets and interviews a variety of women, and finally selects Delhi-based Dimple Dixit, a woman he had known before, to be the perfect match. Dimple and Luv meet on-line, are attracted to each other, and the former travels to India where the two families get the couple formally engaged. It is then Dimple decides that she prefers Kush. Watch as things spiral out of control when she insists that Kush must elope with her.
2
Monsieur Papa is a moving portrait of a modern family, centering around 12 year-old Marius Vallois. Born in a wealthy family, Marius is the son of Marie Vallois, a successful CEO. Marie loves her son unconditionally, but Marius has never known his father and suffers greatly from it. When Marius starts shoplifting and doing badly at school, Marie decides to recruit a father figure for him. One day in her office building, she meets Robert Pique. Robert is a peculiar man who has a background in finance, but makes ends meet ironing clothes for his neighbors. Reluctant at first, Robert agrees to be paid to meet Marius and pretends to be his father. Marius immediately understands that Robert is not his dad, but very quickly, a deep bond develops between them.
-2
Thomas Gardesse, a traveling alarm systems salesman, is arrested for a minor offense and sentenced to six months imprisonment. To win the respect of his fellow inmates, he claims he is "The Marquis," a brilliant robber whose identity has remained a mystery. Two weeks before his release, an armed robber named Quentin Tasseau helps him escape and takes him to Manila so he can take part in a robbery whose mastermind requires the talents of the Marquis.
1
For Kathleen, Christmas has always been an unwelcome reminder of her father’s abandonment almost 30 years ago. Although she has tried to forget her past, it has not forgotten her. In the days leading up to Christmas un unforgiving blizzard traps her in her own home with two unlikely roommates.  Same, a gentle older man Kathleen took in for the night and Lucy, the daughter of her soon to be fiancé bring her face to face with the hurts of her past.  Will she be able to let go and grab hold of a life-changing forgiveness or will she continue to be haunted by the pain of the past?
-4
Cassie works as a teller at the bank where her mother is the branch manager. When the bank is robbed, Cassie is taken hostage. She soon finds out that the bank robbers are teenage girls, one of whom is her best friend, Abbie. In this propulsive real time, ticking clock thriller, as the girls are on the run from the police, we learn that the real motivation behind the robbery is something unexpected.
0
Police commander Simon Weiss, head of the division that supervises Paris’s demi-monde, starts out on his nightly tour of bars, discos and strip clubs, making sure once again that the owners don’t bend the rules too far. Weiss knows he’s between a rock and hard place: it’s obvious that criminal gangs run rampant in his special domain, and even more obvious that they’re protected by higher-ups in the department.
-3
The Cat in the Hat, Sally, Nick and Fish help a baby reindeer find its way home in time for Christmas.
0
Manson Law, a celebrated stockbroker in Hong Kong, is injured in a car accident. The police, led by Inspector Jack Ho, discovers a military surveillance device in the car wreck. Meanwhile, the wiretapper Joe Szema is unveiling his extensive plan that targets the mysterious financial conglomerate, the Landlord Club. The fate of these three men soon intertwines in the cat-and-mouse game that may bring down the entire stock market.
0
The eight remaining survivors of a secret research facility barricade themselves away from a horde of ancient and deadly creatures
-1
While fighting for the political supremacy of their respective families, a Hindu man and a Muslim woman share a forbidden romance.
0
An intellectually disabled man fights for custody of his 7-year-old daughter, and in the process teaches his opponent lawyer the value of love and family.
-1
Crash Canyon is a Canadian animated series. It tells the story of the community living at the bottom of a canyon. The Wendell family is looking for an original holiday by caravan but their trip ends sooner than expected at the bottom of a canyon in Alberta, Canada. Canyon walls are too high to climb and there is no way out. Soon they find out there is a whole community of 25 survivors from previous crashes down there. Dollars are not accepted and they use golf tees as a currency.
-1
Kaijudo is the story of Raiden Pierce-Okamoto, aka Ray, a talented 14-year-old boy, and the two worlds in which he lives. One is the real world much like our own, and the other is a fantastical world of creatures, a parallel world made up of five civilizations, visible only to a chosen few...
2
A giant lizard terrorizes a rural mid west community with a group of heroic young people led by Chase Winstead attempting to destroy the creature.
1
Bite, a cockroach who lives in a computer processor, must prove himself and survive the ongoing battle between predator-like street pigeons and beetles to win over the girl of his dreams.
1
For most people affected by the recent housing market crash, the impact was financial. Super nice real estate agent Richard Scarry has an additional burden: the paranormal. This startlingly funny debut feature takes many of the tropes of haunted house films and employs them to exciting, witty, and original ends.
0
Raghava (Lawrence) is a happy go lucky guy who loves to play cricket but is a chicken at heart. The very mention of the word ghost gives him shivers so much that he sleeps with his mom (Kovai Sarala). He is also in love with Priya (Lakshmi Rai). However, an attempt to play a cricket match in an unused ground leads Raghava to get something dark to his home. The dark spirit begins to cause few weird things at home and one day it enters the body of Raghava which goes on killing few specific people. Who is that evil spirit? Why is it killing few people? Can Raghava get rid of the spirit? All this forms the rest of the story.
-2
Eddie Griffin proves once more that he’s one of the world’s premiere comedic talents in his brand-new stand-up special You Can Tell ‘Em I Said It. Eddie unapologetically rips into everything from racial stereotypes to Viagra to the First Lady and will leave you gasping for air as he buzzes around the stage and literally climbs the walls. This uncut, uncensored stand-up special live from Oakland, California will keep you laughing long after he exits the stage and coming back to watch it again and again.
0
No student likes having to spend time in detention so you can only imagine how Lee Ping feels. The freshman at A Nigma High has been sentenced to a year in detention after being accused of pulling off the biggest prank in high-school history. The problem is that Lee is innocent. Now, in order to clear his name, Lee must escape from the highly fortified detention room every day, infiltrate a new social clique, and unravel another piece of the gigantic prank puzzle to try to figure out who actually pulled off the epic stunt.
-2
Comedian Gary Gulman performs at the Wilbur Theatre in Boston. Topics include the financial crisis; renting movies; and a conversation between Bill Gates and Donald Trump.
0
She's an attractive superstar that everyone feels very far away from, yet she has a secret buried deep in her heart. One day, a normal man becomes her bodyguard. They go every where together knowing that they cannot be in love with each other. The man will be her bodyguard for 99 days. Kohei Namiki who works at a security company is a single man approaching his 40's. Although he is passionate about astrology, he cannot follow through on his dreams to work in an observatory due to his family and economic difficulties. The superstar actress from South Korea, Han Yoo Na arrives in Japan to star in a drama series. Yoo Na and Kohei's unexpected encounter of becoming master and servant slowly develops into an interesting relationship.
4
EDDIE IZZARD: Live at Madison Square Garden is the live recording of Eddie Izzard's sold out show at Madison Square Garden in New York City.
0
Jeremy Fink and his best friend Lizzy must search high and low throughout the streets of Manhattan for clues to unlock the mysterious box he received a month before his birthday.
0
Master Kung and Lo Pa are two police officers of White Horse City, who have high skills but are underused. A robbery happened at he city's richest man Ho Pak Man's home where his whole family was killed and their family treasure the "White Jade Goddess of Mercy" was stolen and the "Police God" Tit Mo Ching investigates the case. Kung and Lo Pa cannot participate because of their low status. Coincidentally, Master Kung and Lo Pa arrest a pair of twin sisters, Water Dragon Girl and Fire Dragon Girl, who always pretend to catch wanted criminals to get monetary rewards. The twin sisters know that the "White Jade Goddess of Mercy" would be brought to the "Treasure Inn" for an auction. Wanting to hit big, Master Kung and Lo Pa go to the "Treasure Inn" with the twin sisters to investigate the truth. During that time, Master Kung and Water Dragon Girl become lovers from a kiss.
8
Two incompatible collegians, with fake social network ids, are assigned to work together for their institute's annual celebrations.
0
Standup comedian, television star and author Kevin Nealon headlines this new comedy special that finds the new father daunted by fears, insecurities and doubts, but only slightly. Taped before an enthusiastic Denver, Colorado audience, this special finds the popular funny man in top form.
-1
After Arun and Parvathi's stormy romance ends, he goes to Puducherry where he befriends Cathy, the girlfriend of his buddy John. But their friendship is mistaken for love by John.
-1
The film is about Khokababu (Dev) who is a cool and a clever guy. Bhaiji is a well-known don in his territory whom everybody fears and obeys. Khoka joins Bhaiji's circle as an accountant where he has a wacky senior Khanra Babu. Khoka with his super wit starts to obtain every luxury that a perfect office should have and starts to hoax Bhaiji. Problems occur when Khoka falls in love with Bhaiji's sister Pooja (Subhasree Ganguly). That's how our super-clever Chalu Cheez Khokababu takes the story ahead.
3
When Detective Bennett O'Mara finds a chocolate wrapper on a strangled girl, it leads him to enigmatic chocolatier Juliana Lovece. Just as this perceptive woman gets under his hardened skin, he suspects she may be at the centre of an increasing murder count.
-2
what is everything, and what is nothing? Professor Jim Al-Khalili explores the true size and shape of the universe and delves into the amazing science behind apparent nothingness. EVERYTHING: what the universe might actually look like and the remarkable stories of the men and women who discovered the truth about the cosmos. NOTHING: science at the very limits of human perception, where we now understand the deepest mysteries of the universe lie.  The quantum world of the super-small shaped the vast universe we inhabit today, and Jim Al-Khalili can prove it.
0
If you like your comedy served up raw, tasty and wicked-funny, D.L. Hughley is your kind of stand-up guy. One of the most popular comedians of film, TV and radio unleashes a hilarious display of stand-up comedy genius in this uncut Showtime special taped before a wildly enthusiastic live New Jersey audience. It's comedy that'll re-boot your entire sense of humor: D.L. HUGHLEY: RESET!
5
Reveals how the home life of the larger-than-life Carry On actress Hattie Jacque was blown apart by a secret sexual liaison with her handsome young driver while she was married to Dad's Army star John Le Mesurier.
1
A police officer faces challenges from his family, gangsters and politicians and what happens in the end forms the crux of the story.
-1
A man disguises as a servant to stay close to a woman he loves.  Directors: Shiboprosad Mukherjee, Nandita Roy  Writers: Shiboprosad Mukherjee, Nandita Roy  Stars: Jeet, Priyanka Upendra, Koneenica Banerjee | See full cast & crew »
1
Ajay (Siddharth) comes to Kasi, where his thoughts and ideas on life and death undergo a sea change after he meets a young boy. He relocates to Chennai and stays in a house owned by a couple S V S Murthy (Mouli) and Jayam (Geetha). They treat him as their own son. A do-gooder, Ajay with his jovial nature wins the heart of all those whom he comes across. Vidya (Nithya Menen), a photo journalist meets Ajay and falls for his good nature. Ajay with the help of Vidya even gets street children obtain sponsorship for their education. But things take a turn when Vidya expresses her love to Ajay. He quietly walks off the place and decides to leave Chennai. But a rude accident to Vidya puts the responsibility on Ajay's shoulders to get her back to health. He takes her to USA for a surgery. Meanwhile a flashback reveals that Ajay was a successful doctor in the United States and who led a happy life.
4
A relationship drama set amid a winter van trip from New York to New Orleans. A loose continuation of the 2010 film.
-1
Sundarapandiyan , who has finished college and goofs around in his village with friend Murugesan , decides to pitch in when Arivazhagan seeks his help in wooing Archana . But she rejects Arivazhagan and also another suitor Bhuvaneshwaran. Complications arise when she says she has been in love with Sundarapandiyan for a long time.
-2
Village head Madhava Menon is highly respected for his integrity. Trouble begins in his life when a rival clan decides to cause havoc in the village.
-3
For over 130 years till 1996, more than 100,000 of Canada's First Nations children were legally required to attend government-funded schools run by various Christian faiths. There were 80 of these 'residential schools' across the country. Most children were sent to faraway schools that separated them from their families and traditional land. These children endured brutality, physical hardship, mental degradation, and the complete erasure of their culture. The schools were part of a wider program of assimilation designed to integrate the native population into 'Canadian society.' These schools were established with the express purpose 'To kill the Indian in the child.' Told through their own voices, 'We Were Children' is the shocking true story of two such children: Glen Anaquod and Lyna Hart.
-4
When his dancer partner, Mia, lands in the hospital after an accident, Armando persuades her to train for an upcoming wheelchair ballroom dancing contest.
0
For the first time in history a film crew has been granted permission to enter the massive and mysterious Potter Street Station of Saginaw, Michigan. Watch the evidence unfold as investigators document their journey through 30,000 square feet of suspense. Locked in over night, the investigators have 'til dawn to seek proof of the station's notorious hauntings, specifically the reported "woman in white." Hidden amongst the gritty industrial sites of Saginaw, Michigan exists a virtual porthole to the past. Potter Street is lined with boarded up saloons, abandoned centuries-old buildings, and Saginaw's best kept secret... the Potter Street Station.
-1
Christmas is approaching, and Paul's adopted sister Alana is coming home for the holidays. This won't be just a regular family celebration, as she's recently engaged and the weekend will be spent planning her June wedding with her best friends Roy and Vicki. Problem is that Roy is Paul's ex-boyfriend, and the two young men haven't seen each other since their very messy breakup. Nervous about seeing his ex again, Roy talks his good friend Gavin into joining him for the weekend, and pretending to be his new boyfriend. When Paul and Gavin meet, sparks of attraction fly, but Gavin thinks Roy's still hung up on Paul. This charming romantic comedy is a funny look at family bonds, misunderstandings and the "perfect wedding
0
Rhea is the typical girl next door who is in love with Luv Nanda, a rich and famous boy in college. As they plan to take their relationship to the next level, Rhea realises that Luv is not as nice as she thought. So, she decides to get even and bring Luv down! All in the span of one night. Buckle up for one crazy night as the girls discover the meaning of love, life, friendship and more.
3
Raouf escapes of the control his grandmother Rawyah Hanim after she traveed to Germany and he movd with his grandfather Romman. After his grandfather's death, he decided to marry Manar, who he is attached to, but as his grandmother returned home and moved to live with him, life turned upside down dramatically as she tries to control his and his wife's lives.
-1
Facebook Follies is a one-hour documentary that takes a look at the unexpected consequences of people sharing their personal information on social media. Viewers meet people who lost their jobs, their marriages, their dignity, or who even ended up in jail - all because of their own or someone else's Facebook posting. To give a broader context to the events, these stories are intercut with reflections from experts in the areas of social change, internet security and contemporary media.
-1
On Anzac Day 2006 the Beaconsfield mine collapsed, trapping Russell, Webb and fellow miner Larry Knight one kilometre underground. When it was revealed that two of the men were alive, Australia prayed and the world waited in hope that the miners would make it out alive. But the rescue was far more complex than anyone ever imagined.  Beaconsfield recounts this riveting story of mental and physical fortitude and two very different men who were trapped together for 14 days under rubble in a cramped, pitch-black metal basket no bigger than a dog kennel.
-2
ACP Bose has been framed in a corruption case by some fraudulent officers. After his shocking death, Surjo, his brother, takes up the matter in his own hands.
-4
Truth follows the loves, losses, fights, jealousies and broken hearts of a group of friends. It centers around the sweet, bright-eyed and emotionally vulnerable Faybien (RayMartell Moore). Comfortable with his gayness but saddled with self-esteem issues, Faybien's love life is put into an emotional spin when his ex, Lonnie, returns with an interest in reigniting their relationship. You'd think that he'd get a sympathetic ear from his friends, but they already have their own issues. Reggie's in love with bisexual, non-committal Greg; high-strung queen bee Amera is certain her boyfriend is cheating on her; and the always-meddling muscle queen Jay is busy confronting his rough trade boyfriend's girlfriend.
-3
David Attenborough narrates this close up look at these tiny pollinators captured in flight as never before. Acrobats of the air - flying jewels - iridescent partners of countless plants: hummingbirds are amongst the most remarkable creatures on our planet.
1
An educated and ingenious young man from the city seeks to recoup his struggling family's fortunes through a rural real estate deal that proves to have potentially deadly -- and VERY funny -- consequences, when he innocently comes between two rich landlords who hate each other so much that each will kill to keep the other from any advantage.
0
The story of Sub-inspector Dibakar Singho who settles every dispute in his town with wisdom and logic, is compelled to use force when an extortionist with mafia links - Arjun Sarkar confronts him. An official remake of the Tamil Superhit film Singam which starred Surya and Anushka Shetty. Singam was written by Tamil director, Hari, who is known for his movies with rural settings.
0
In a world gone mad, can compassion survive the Zombie Apocalypse? Amid the horrors of the Post-Apocalyptic south, three disparate groups of survivors must come together to save themselves as the only hope for the future. Pitted against a powerful neo-Confederate tribe and the relentless hunger of the infected, our heroes find redemption, love and hope.
1
Sixteen-year-old Xtra Keys hopes to raise his son better than his boozy, razor-edged mother raised him, and he just might get his wish when he's thrust into an unorthodox alternative school full of underprivileged boys.
0
8 Vayasu is all about a mentally unstable youngster, who falls in love. Be it happiness or anger, he has a unique way of expressing it. Whenever he is depressed, he takes on the behaviour of an animal that he sights first.It released on August 24, 2012 and received negative reviews.
-3
An ambitious Lebanese-American youth is forced to take over his family's gas station after his father's death, in this spirited and often hilarious coming-of-age tale from first-time feature director Rola Nashef.
2
Billy Gardell, the star of CBS' hit comedy "Mike and Molly," returns home to Pittsburgh, where all the funny began for him, in a one-hour live event that celebrates working-class America.
-1
This film takes the viewer on a unique journey around the weird and wonderful planet that we call home. When Yuri Gagarin was blasted into space he became the first human to get a proper look at where we live. The Earth is blue he exclaimed, how amazing! Suddenly our perspective on the world had changed forever. We thought we were going to explore the universe, yet the most extraordinary thing we discovered was our own home planet, the Earth. So what would you see during just one orbit of the earth?
2
A documentary that explores the human and financial costs of illegal immigration.
-1
Hip hop superstar and longtime comedy aficionado Snoop Dogg presents his picks for the most outrageous, hilarious comediennes in this standup showcase featuring Tiffany Haddish, April Macie, Cookie Hull (Simply Cookie), Monique Marvez and Luenell.
0
Produced by Saran Dot Creatives
0
REJOICE AND SHOUT traces the evolution of Gospel through its many musical styles – spirituals and early hymns, four-part harmony-based quartets, the integration of blues and swing into Gospel, the emergence of Soul, and the blending of Rap and Hip Hop elements. Gospel music also walked in step with the story of African-American culture – from slavery, hardscrabble rural existence and plantation work, the exodus to major cities, the Depression, World War II, to the civil rights movement and empowerment. REJOICE AND SHOUT connects the history of African-American culture with Gospel as it first impacted popular culture at large – and continues to do so. Years in the making, REJOICE AND SHOUT captures so much of what is special about this music and African-American Christianity – the sermonizing, the heartfelt testimonials, getting “slain in the spirit,” the hard hollerin’, and of course the inspiring music. Dare yourself not to be moved.
8
A surfer travels the world on a quest to save dolphins.
0
An unlikely romance occurs when a kidnapped victim falls in love with one of her abductors.
-1
Helen Stephens is wrongly sentenced to 12 years in prison for murdering her boss Eric Bridges, the managing director of Entirely Tiles. Although she is sure that it will only be a matter of time before this mistake is rectified, everyone around her seems to be conspiring to keep her behind bars. Lawyer Tony is incompetent, sister Laura wants her flat, and fiancé Justin - her alibi - has disappeared. Colleague Henry seems to be the only one willing to help, but he has an ulterior motive.
-4
Marina is a Tamil film directed by Pandiraj starring Siva Karthikeyan, in his feature film debut and Oviya in the lead roles.
1
Of Two Minds explores the extraordinary lives, struggles and successes of three unique and compelling people living with bipolar disorder in America today. Through a combination of intimate verité and revealing interviews, we experience what it feels like to be bipolar - from exquisite feelings of grandiosity and sensuality to the depths of despair and depression. A journey from the painful to the painfully funny, Of Two Minds puts a human face on the illness, opening an engaging, harrowing and perception-changing view on those all around us who live in bipolar's shadows...our sisters and brothers, parents and friends, and ourselves.
-2
Follow the life of four talented musicians from their origins as they soared to one of the greatest Rock n Roll bands of all time. This documentary tells the story of Freddie Mercury and his impact on a band, which would become a worldwide sensation.
3
Roni and Bri have fallen in a forbidden love, where lies and secrets lead to the end of their relationship. Bri tries desperately to move on and forget her past love with Roni. But, she's in for an unexpected surprise when secrets are revealed and her life is now a twisted love triangle with her past.
-2
The reality television and web content pioneer brings his uniquely deadpan style of humor to a whole new venue: the standup stage, in this concert special that finds the boundary-pushing comic discussing such no-limits topics as politics, social media, and his bout with cancer.
0
Most people think that World War II started on September 1st, 1939, when the Germans invaded Poland, and then spread to Asia on September 7th 1941, after the Japanese attacked Pearl Harbor. However, World War II actually started ten years earlier, when Manchuria was invaded by a now-forgotten Japanese general: Kanji Ishiwara. This is the little known truth about the most famous war in history.
1
Ron "Tater Salad" White has been Drunk In Public. He tried to Fix Stupid. No one argues he has Behavioral Problems, and now he is " A Little Unprofessional." With cigar in one hand and a glass of scotch in the other, the Blue Collar Comedy Tour alum delivers 80 hilarious minutes of all new material with his signature, irreverent storytelling style and the best comedic timing in the business. Filmed live at the Paramount Theatre in Austin, TX.
0
Back from traveling the world, comedian Tom Rhodes takes to the stage of Colorado's Boulder Theater for this blistering hour-long performance.
-1
Madness turns the making of a noir thriller into a variation on the same genre.
-1
After an on-set incident lands their leading lady in the hospital, a dysfunctional movie crew is forced into a group therapy session where they're expected to sort out their issues and get back to work. Or else.
1
La La's Full Court Life is an American reality television series on VH1. The series debuted on August 22, 2011, and is the following series of La La's Full Court Wedding. La La's Full Court Life chronicles the life of Alani Vasquez aka La La as she experiences her married life with professional basketball player Carmelo Anthony. The series also showcases Vasquez as she evolves from being a fiance of a basketball player to being a basketball wife and how she manages her life and getting her career in check.
0
Dayalan is a newly appointed teacher of a government school in a village. He is unhappy with our education system and is also worried about the pitiable condition of education of government schools. After he joined the school, he tries to change the environment of the school. This is not welcome by Singaperumal who is Assistant Head Master (AHM). Dayalan's decision for the change does not go well with other teachers and students as well. But Dayalan's good moves were slowly noticed by Pandian.
1
United States Marine Nick Dodd is charged with callously killing several civilians in Afghanistan. A military trial ensues.
-1
A film about the reunion of a family broken by the pain and because of the pain can be reunited. An intense story, told in a soft and sensitive way, showing the search and dedication of a man rediscovering family and the love that unites the brothers, finally forming a real family.
-1
Funnyman Nick Cannon sets out to prove that he's still "All That" in this hilarious stand-up comedy performance that was filmed live at the Palms Casino in Las Vegas, Nevada. Originally airing on Showtime, the special features the comedian/actor/musician riffing on such topics as his failed attempts at becoming a gangster, marriage, fatherhood, what he thinks about Eminem, and more.
-1

0
Scooter is the last blue penguin, who is adopted by a tribe of silver penguins. Now, with his new family he discovers his hidden strengths and talents, and strives with love to overcome the others who shun him, to help save his new village.
1
A man beaten and kidnapped on his wedding day finds himself on a fast road to hellish revenge for a brutal crime he allegedly committed as a child.
-2
One girl loves four boys in different ways,feeling hard to find the better ones.
1
A sequel to the 1988 award winning documentary, "Slaying the Dragon," this film looks at the past 25 years of representation of Asian and Asian American women in U.S. visual media -- from blockbuster films and network television to Asian American cinema and YouTube -- to explore what's changed, what's been recycled, and what we can hope for in the future.
3
On March 1, 1872 President Ulysses S. Grant signed into existence the world's first national park, Yellowstone National Park. The 2.2 million acres of wilderness is the only complete mid-latitude ecosystem left on the planet.
0
After falling off a delivery truck, five shaped rubber bands join together to find their way to a toy store and onto the wrists of three happy children.
0
Craig Shoemaker's latest comedy special takes a hilarious look at the transition that happens from manhood to "dad"hood.
1
The funny, quirky story of Darryl Strozka, an ambitionless 24-year old who travels hundreds of miles in a wagon hooked onto the back of his friend's electric wheelchair, in hopes of tracking down his childhood crush.
-2
A village belle turns on to become an aspiring actress, but later she was exploited by some reasons.
0
Reality show producer Charles proposes that Nora's Hair Salon have its own show; immediately, the salon crew signs on with hopes of money and fame.
1
A black comedy about an old rogue named Wally, who breaks all the rules to fulfill an old friends dying wish to be buried at sea.
-3
Through the plains of East Africa runs the Mara river, that the animals must drink from and cross; however, there are deadly consequences from predator to prey.
-1
Debra DiGiovanni is one of the fastest rising international comedy stars. A finalist on Last Comic Standing, Debra was also voted Canada's Best Female Comedian at the Canadian Comedy Awards and has been selling out venues everywhere she performs. Now, Debra is back as a Single, Awkward, Female with her hilarious, unique views on dating, dieting, and love as only she can share.
4
Edgar Allan Poe. For nearly two hundred years his stories of the macabre have shocked and terrified audiences. And now, inspired by five of Poe's most terrifying tales, five filmmakers have banded together to create the ultimate tribute to the master: Edgar Allan Poe's Requiem For The Damned - featuring adaptations of : The Fall of the House of Usher, The Pit and the Pendulum, The Black Cat, The Tell-Tale Heart, The Murders in the Rue Morgue.
-5
Keisha is intimately involved in two relationships, one with a wonderful man and the other is a secret affair with a woman. Keisha has been hiding her relations from her family and friends for months and the pressure from her relationships is leaving her torn. Feeling the pressure to either end the other relationship or to take the plunge, Keisha must choose between the love of her life or to fit within the status quo.
2
Sailor Marat carries a great burden. His whole village condemns him since his wife and many fishermen were washed off his boat in a mysterious sea storm. Ever since then the sea has vanished. One day, Marat returns to his village, obsessed by the idea of making the sea return and so the dead. He begins rebuilding his shipwreck in the middle of the desert, dragging it towards the endless horizon. Only his last close friend Balthasar, and Tamara, the sister of Marat's deceased wife, believe in him. Tamara, deeply in love with Marat, who repulses her, knows from a fortune teller that maybe not her dream but his might come true. One morning Marat wakes up by the sound of water - the sea has returned, ready to take what belongs to her...
-4
A documentary on past and current business practices in Canada's mining industry, and the involved natural resources, health and taxation issues.
-1
The stars of MST3K riff the classic "Manos - the Hands of Fate" LIVE in front of a nationwide audience! Run, don't stumble-walk-with-accursed-goat-legs to watch RiffTrax Live: Manos!
1
Two men are chained together and left to die in the unforgiving, scorching desert sun. With revenge on their minds, they are forced to overcome the elements so that they can kill the sadistic scoundrel that left them to die.
-8
Day to day lives and hardships of Pakistan's discriminated transgender class.
-1
Nick Romano is a young Italian American fighting his own personal demons. He's got a chip on his shoulder and a lot to prove. Teamed with his crazy but always loyal partner Carlo, the two small time hoods are on the streets trying to hustle and make a living. Nick fits in well with this fast underworld lifestyle that he's been caught up in, however this lifestyle has caused a riff between Nick and his girlfriend Vanessa. Nick fights to not lose his loved ones, while trying to stay in good grace with the very powerful local crime boss. All the while, still trying to figure out who he is in life. Written by Nino Cimino
3
Follow a group of researchers traveling to Darin Island determined to track sharks and learn their migration patterns. To do so, they must strategically place tracking devices on the beasts, which proves to not always be easy. Dangerous currents intervene and the sharks can deliver bone-crushing swipes with their tails. Find out how the sharks and scientists fare! Distributed by XiveTV.
-4
This relationship drama by Paul D. Hannah, based on the popular stage play, tells the story of a couple named Russell and Bailey, who have chosen to stay together for their son, despite their crumbling relationship. But when junior leaves for college and Russell finally decides to leave, it soon becomes clear that their marriage is not as over as they once thought.
1
Laughspin.com presents "Chad Daniels: As Is" . Recorded at the Acme Comedy Co. in Minneapolis, MN.  All video by Black Iris Media, Ryan Brennan  www.blackirismedia.com  All audio/sound by Stand Up! Records, Dan Schlissel  www.standuprecords.com
0
Ike, a Nigerian immigrant, has a great job, cool friends and the love of his beautiful American girlfriend, Nikki. But his world is turned upside down when he is surprised by a visitor from home. Ify, the wife he left behind.
4
A devoted daughter attempts to save her father's ranch, but realizes she will have to choose between love and the truth while fighting the greedy banker who seeks to foreclose on the property. Rancher Everet Cates is preparing to sell of his top horses when banker Samuel Mortimer sets his sights on the family business. Desperate, Everet's son Bowie botches his attempt to steal the mine payroll, prompting his feisty sister Eryn to steal his disguise, and misdirect the posse. Meanwhile, as Eryn embraces her newfound freedom outside the law, Mortimer begins using the bandit as a patsy in a scheme to steal his own money back. Later, when a pair of Texas Rangers shows up to investigate the case, Eryn finds herself falling for the same lawman who seeks to throw the bandit in prison, and prepares to make the most difficult decision of her life.
-5
In the 1980s rallying was more popular than Formula 1. However the sport was heading out of control and the unregulated mayhem would end abruptly after a series of horrific tragedies.
-2
You've heard about the Band of Brothers but did you know there is a whole group of lesser-known heroes from Easy Company, 506th Parachute Infantry Regiment of the 101st Airborne? Hear their amazing stories in this eye-opening documentary!
2
This live concert by stand-up comedian Tom Wilson offers witty, family friendly commentary and humorous musical performances.
3
Rod Stewart's incredible career spans 5 decades and encompasses a string of number one albums and hit singles. With over 100 million records sold worldwide, Stewart ranks among the best selling artists of all time and with good reason. From rock to pop and heartfelt soul, Stewart is a rare genre-spanning artist, appealing to a massive global audience, with more fans today than ever before. His trademark gravely voice, instantly recognizable the world over has helped define and propel him from truly humble beginnings to worldwide superstardom. From his early days with the band Faces to the launch of his solo career and beyond Rod Stewart has worked with some of the biggest names in the industry and has become a pop legend in his own right. This is his remarkable story. Featuring music performance (both live and from pop video footage) from some of his best known songs, this inspiring tale is a must have for any Rod Stewart fan.
12
Every cloud has a silver lining and Aarohanam showcases the brighter side of a mental disorder, along with all the trials and turbulence of such a life. In an age where the morbidity of poverty has been vehemently publicized, this film strives to unassumingly uncover the true essence of Indian culture while offering a raw and intimate experience of family and community life in the Indian slums.
-2
"The License" is a modern-day ensemble comedy revolving around the lives of two Roman slackers. Rolando, thirty-something and perpetually unsatisfied, works at his future father-in-law's driving school, and Sergio is a waiter at the corner café as well as a small-time drug dealer. Thanks to the unexpected death of the elderly owner, they end up taking control of the driving school during the pivotal week before the final driving test.
0
In France, King Louis XIV, better known as the Sun King (le Roi-Soleil), made of his kingdom the leading European power during the 17th century. An original portrait of Louis XIV's engineer, Vauban, a man who after serving his sovereign zealously, questions the idea of absolutism and the economic misery of the kingdom.
0
A devoted Bichon pup helps his teenage owner and her dog-dancing uncle unleash their potential.
-1
Twenty weeks before Khe Sanh, these men were boys, sitting in their mother's kitchens. Then they went to war. Through interviews, film footage, photographs and audio recorded in Vietnam in 1968, fifteen former Marines and Navy Corpsmen tell their tales of battle, fear and survival at the Siege of Khe Sanh, Vietnam, 1968.
-1
The History books say that the first European to contact the Native Americans was Christopher Columbus. New evidence tells a different story, showing that centuries earlier, a civilization had already beaten him there. These people were the Norse.
0
Saravanan is modern city guy while Sandhya is village modern girl who came to city to find a job. Sandhya meets Saravanan while going to an interview. At first they had some disagreements and fought. Then, it turn into love and they had a relationship. They decided to marry and their parents did not agree, but they still got married and started to live happily at Saravanan's place. They were happy for few months, but they did start to disagree and fight, so they decided to divorce. Both of them went to their parents house to live separately. Their parents decided to get them a new life partner. At first they agreed with their parents decision. But then the love between Sandhya and Saravanan is rekindled since they miss each other. They decided to cancel their second marriage and live together happily.
4
This is an incredible look at the life and times of three brothers, Barry, Robin and Maurice Gibb, one of the worlds first super groups, taking us on a journey from their roots to the pinnacle of their careers. This is a must for all music fans!
3
Director Grant Lahood follows Mani Bruce Mitchell, NZ’s first “out” intersex person, as he/she travels to meet other intersex people living in America, Ireland, Germany, South Africa and Australia.  Expatriate Kiwi sexologist Dr John Money of the world renowned Johns Hopkins Medical School believed that gender was the product of “nurture not nature.” His studies into intersex people led to a particular surgical treatment model for babies born with ambiguous genitalia – the idea being that doctors could produce healthy and happy men and women by intervening early in an intersex child’s life. Usually that meant a family secret that had to be kept at all costs.  But as the film shows, human sexual development is never that straight forward. This is a heart-warming story told with a mix of laughter and tears in the most frank and revealing way.
3
This long-term observational film compares the situation of prisoners sentenced for life with the situation of those who leave their prison cells after several years. What does a man who has been looking forward to the day he would leave the prison gate for such a long time do? How does he cope with the fact that everything is different from what he imagined? What choices will he make?
-3
Idaho, the Movie is a one-hour television documentary featuring the well known and the hidden treasures of Idaho.  An elemental theme carries viewers on a tour of the state’s mountains, rivers, deserts, landscapes, lakes and more.  Think of it as Idaho’s own “Planet Earth” style program.  From the Sawtooths to the Tetons, from the big lakes of North Idaho to the deserts of the South-West, from unique landscapes like Craters of the Moon and Thousand Springs to Mesa and Shoshone Falls, to the rivers large and small… Idaho the Movie shares them all.
0
Derrill Davis aka Dee Dee lives the life as a professional used car salesman by day and one of Atlanta's most deadly and feared undercover street gangsters by night. He hooks up partner oneway Boobe aka Ray and does a string of crimes that involve robbing, kidnapping and the killing of well-known drug dealers.
-3
Legend of a Warrior follows Corey Lee's efforts to reconnect with his father, martial arts legend Frank Lee. For his many students and fans, Frank is martial arts-a high-kicking dynamo whose style of full contact fighting has propelled him into the upper echelons of his profession. Frank is happy to play the role he's cultivated, but his son, filmmaker Corey Lee, wants to look beneath the superhero mask. To do this Corey must enter Frank's world, a world where fighting rules.
1
Roll up one and all and witness the wonder and mystery of Tony Law s Brainporium. Behold Tony s bits on Pirates, the perils of the misappropriation of another culture s noise, and of course Gok Wan. The show was recorded on the snowiest day of the year in Cardiff. So snowy in fact, that Simon Munnery spent the day stuck on the M40, and didn't make it for his recording. This gave Tony the opportunity to perform an unrehearsed and unplanned twenty five minute long second half. Anything could happen! This DVD also includes a bootleg recording of the Edinburgh performance this show evolved from, and a couple of other treats.
-3
The adventures of Ragnar Lothbrok, the greatest hero of his age. The series tells the sagas of Ragnar's band of Viking brothers and his family, as he rises to become King of the Viking tribes. As well as being a fearless warrior, Ragnar embodies the Norse traditions of devotion to the gods. Legend has it that he was a direct descendant of Odin, the god of war and warriors.
4
The pirate adventures of Captain Flint and his men twenty years prior to Robert Louis Stevenson’s classic “Treasure Island.” Flint, the most brilliant and most feared pirate captain of his day, takes on a fast-talking young addition to his crew who goes by the name John Silver. Threatened with extinction on all sides, they fight for the survival of New Providence Island, the most notorious criminal haven of its day – a debauched paradise teeming with pirates, prostitutes, thieves and fortune seekers, a place defined by both its enlightened ideals and its stunning brutality.
6
The early days of a young Endeavour Morse, whose experiences as a detective constable with the Oxford City Police will ultimately shape his future.
0
On the night of an astronomical anomaly, eight friends at a dinner party experience a troubling chain of reality bending events.
-2
Set in the sprawling mecca of the rich and famous, Ray Donovan does the dirty work for LA's top power players, and makes their problems disappear. His father's unexpected release from prison sets off a chain of events that shakes the Donovan family to its core.
-1
When the Police Service of Northern Ireland are unable to close a case after 28 days, Detective Superintendent Stella Gibson of the Metropolitan Police Service is called in to review the case. Under her new leadership, the local detectives must track down and stop a serial killer who is terrorising the city of Belfast.
-2
Candice Renoir had put her career on standby for 10 years. When she  returns from Singapore to resume service in a port town in the south of  France, she feels a bit “rusty”. Despite the obvious defiance of her  unit and a cynical superior who doesn’t make her job any easier, she is  determined to turn her so-called weaknesses into strengths, solving the  most complex cases with her common sense, her acute observation and her  practical nature seasoned by a busy daily routine.

Only Candice can  catch a killer because she knows the chemical composition of a  window-cleaning product or determine the hour of a murder from the  cooking-time of kebabs… Candice is only naive on the outside, and nobody  can resist her!
-5
The Manzoni family, a notorious mafia clan, is relocated to Normandy, France under the witness protection program, where fitting in soon becomes challenging as their old habits die hard.
-3
The Affair explores the emotional effects of an extramarital relationship between Noah Solloway and Alison Lockhart after the two meet in the resort town of Montauk in Long Island. Noah is a New York City schoolteacher with one novel published (book entitled A Person who Visits a Place) and he is struggling to write a second book. He is happily married with four children, but resents his dependence on his wealthy father-in-law. Alison is a young waitress trying to piece her life and marriage back together in the wake of the tragic death of her child. The story of the affair is told separately, complete with distinct memory biases, from the male and female perspectives.
-2
In 1953 at the hamlet of Grantchester, Sidney Chambers—a charismatic, charming clergyman—turns investigative vicar when one of his parishioners dies in suspicious circumstances.
1
Ronah's life unravels when she starts working with a new client, Johnny.
0
The  Utopia Experiments is a legendary graphic novel shrouded in mystery.  When a group of strangers find themselves in possession of an original  manuscript, their lives suddenly and brutally implode.
-4
After a construction project begins digging in their neighbourhood, best friends Tuck, Munch and Alex inexplicably begin to receive strange, encoded messages on their cell phones. Convinced something bigger is going on, they go to their parents and the authorities. The three embark on a secret adventure to crack the code and follow it to its source, and discover a mysterious being from another world who desperately needs their help. The journey that follows will change all their lives forever.
-3
Set against the backdrop of the Wars of the Roses, the series is the story of the women caught up in the protracted conflict for the throne of England.
-2
Ever since she sustained a traumatic head injury, Christine Lucas has suffered from anterograde amnesia, unable to form new memories and having forgotten the last 15 years of her life. Every morning, she becomes reacquainted with her husband, Ben, and the other constants in her life. Terrifying truths about her past begin to emerge, causing her to question everything -- and everyone -- around her.
-4
Generations have wondered if they could survive being stranded on a desert island. But how would people cope if they had to do it, for real, and with only themselves to rely on? Adventurer Bear Grylls abandons 13 British men on a remote, uninhabited Pacific island for a month. They will be completely alone, filming themselves, and with only the clothes they're wearing and some basic tools. The island may look like paradise but behind the beaches it can be hell on earth. When stripped of all the luxuries and conveniences of 21st-century living, does modern British man still have the spirit and resources to survive?
3
The series follows the "untold" story of Leonardo Da Vinci: the genius during his early years in Renaissance Florence. As a 25-year old artist, inventor, swordsman, lover, dreamer and idealist, he struggles to live within the confines of his own reality and time as he begins to not only see the future, but invent it.
2
Young newlyweds Paul and Bea travel to a remote lake cottage for their honeymoon, where the promise of private romance awaits them. Shortly after arriving, Paul finds Bea wandering and disoriented in the middle of the night.
0
Five young German friends promise to meet again after WW2 ends, but soon their naive wishes of peace and happiness will become a long and tragic nightmare.
0
A teenage girl, distraught from her vain attempt to connect with her estranged mother, resorts to cutting herself. When she develops an online relationship with an older woman, she learns to accept her sexuality and the endless solitude of sprawling suburbia.
-3
Grace, a morally and emotionally-conflicted undercover detective, is tormented by the possibility that her own actions contributed to her son’s death. Grace’s search for the truth is further complicated by her forbidden relationship with Jimmy, the crime boss who may have played a hand in the crime.
-4
The Cat in the Hat is back -- and this time, he's teaching Sally and her brother, Nick, some awfully nifty things to think about!
0
Ichabod Crane is resurrected and pulled two and a half centuries through time to unravel a mystery that dates all the way back to the founding fathers.
-2
During a solo voyage in the Indian Ocean, a veteran mariner awakes to find his vessel taking on water after a collision with a stray shipping container. With his radio and navigation equipment disabled, he sails unknowingly into a violent storm and barely escapes with his life. With any luck, the ocean currents may carry him into a shipping lane -- but, with supplies dwindling and the sharks circling, the sailor is forced to face his own mortality.
-3
An Alaska State Trooper partners with a young woman who escaped the clutches of serial killer Robert Hansen to bring the murderer to justice. Based on actual events.
-2
Barney, Christmas and the rest of the team comes face-to-face with Conrad Stonebanks, who years ago co-founded The Expendables with Barney. Stonebanks subsequently became a ruthless arms trader and someone who Barney was forced to kill… or so he thought. Stonebanks, who eluded death once before, now is making it his mission to end The Expendables -- but Barney has other plans. Barney decides that he has to fight old blood with new blood, and brings in a new era of Expendables team members, recruiting individuals who are younger, faster and more tech-savvy. The latest mission becomes a clash of classic old-school style versus high-tech expertise in the Expendables’ most personal battle yet.
-1
Lines will be crossed when tragedy forces two men, a mesmerizing ex-con and an embattled local cop, to face the secrets of their past. As these two men find themselves increasingly compromised by one another, the lives of both quickly unravel.
-2
What starts as a poignant medical documentary about Deborah Logan's descent into Alzheimer's disease and her daughter's struggles as caregiver degenerates into a maddening portrayal of dementia at its most frightening, as hair-raising events begin to plague the family and crew and an unspeakable malevolence threatens to tear the very fabric of sanity from them all.
-6
When a Wall Street firm downsizes, a well-to-do trader finds himself living with his parents and driving their ice cream truck.
0
Odd Squad saves the day whenever something unusual happens.
-2
20 years after Calvin and Hobbes stopped appearing in daily newspapers, filmmaker Joel Allen Schroeder has set out to explore the reasons behind the comic strip's loyal and devoted following.
1
Judge Olivia Lockhart is considered the community's guiding light in the picturesque, coastal town of Cedar Cove, Washington. But like everyone else, Olivia fights the uphill battle of balancing career with family and finding love, all the while doing her best to care for the township she calls home. Based on best-selling author Debbie Macomber’s beloved book series.
6
The Crash Reel tells the story of a sport and the risks that athletes face in reaching the pinnacle of their profession. This is Kevin Pearce’s story, a celebrated snowboarder who sustained a brain injury in a trick gone wrong and who now aims, against all the odds, to get back on the snow.
-3
After she and her husband move into a haunted house, a woman gives birth to a demonic infant that wreaks havoc.
-3
V/H/S: VIRAL's segments include the story of a deranged illusionist who obtains a magical object of great power; a homemade machine that opens a door to a parallel world; teenage skaters that unwillingly become targets of a Mexican death cult ritual; and a sinister, shadowy organization that is tracking a serial killer. The segments are tied together by the story of a group of fame-obsessed teens following a violent car chase in LA that unwittingly become stars of the next internet sensation.
-4
Dr Richard Miles seeks our ancient treasures and explores our relationship with the past.
1
Laura Diamond, a brilliant NYPD homicide detective balances her “Columbo” day job with a crazy family life that includes two unruly twin boys and a soon-to-be ex-husband — also a cop — who just can't seem to sign the divorce papers. Between cleaning up after her boys and cleaning up the streets, she’d be the first to admit she has her “hot mess” moments in this hilariously authentic look at what it really means to be a “working mom” today. Somehow, she makes it all work with the help of her sexy and understanding partner, and things becomes even more complicated when her husband, ironically, becomes her boss at the precinct. For Laura, every day is a high-wire balancing act.
0
Overton is a small, countryside village where farming is its bread and butter and race horses are its beating heart. When the body of a local resident is found under a tractor, destructive forces are unleashed and the entire community is forced to watch their secrets exposed... chilling secrets that will change their particular way of life forever.
-1
Archaeologist Sigurd Svendsen discovers that the Oseberg ship hides a secret from the Viking Age. Along with his two children put Sigurd out on a quest to find the truth. The mystery leads them into "No Man's Land" between Norway and Russia where no man traveling in modern times. Old runes take on new meaning when the secret they uncover is more frightening than anyone could have imagined.
0
Notorious killer whale Tilikum is responsible for the deaths of three individuals, including a top killer whale trainer. Blackfish shows the sometimes devastating consequences of keeping such intelligent and sentient creatures in captivity.
-3
A single mom in the 1970s raises her two daughters and becomes involved in illegal drug trade to make a better life.
0
Miss Meadows is a school teacher with impeccable manners and grace. However, underneath the candy-sweet exterior hides a ruthless gun-toting vigilante who takes it upon herself to right the wrongs in the world by whatever means necessary. For Miss Meadows, bad behavior is simply unforgivable.
-2
A morally corrupt judge suffers a breakdown and believes that God is speaking directly to him, compelling him onto a path of vigilante justice.
-3
Crooked cop Torrente gets out of jail in the year 2018 to find a different Spain from the one he knew.
-1
A married couple loses their children while on a family trip near some caves in Tijuana. The kids eventually reappear without explanation, but it becomes clear that they are not who they used to be, that something terrifying has changed them.
-1
When a clumsy deadbeat accidentally kills his landlord, he must do everything in his power to hide the body, only to find that the distractions of lust, the death of his beloved brother, and a crew of misfit characters force him on a journey where a fortune awaits him.
-4
A drama centered on a classical pianist who has been diagnosed with ALS and the brash college student who becomes her caregiver.
-1
Trapped inside his car by a mudslide, smooth talking Jackson Alder suddenly finds himself in a situation he can't talk his way out of. With no hope of rescue, he must defy the odds; battling Mother Nature for his survival.
0
Five family-run mining camps risk everything in the hope of hitting the paystreak. Working grueling days under the midnight sun, the crews give it their all to battle the elements ... and each other.
-1
An undercover cop has his loyalties tested when the boss of the corporate gang he's spent years infiltrating dies.
1
The almost entirely true story of Abraham Lincoln and his self-appointed bodyguard, U.S. Marshal Ward Hill Lamon - a banjo-playing Southerner who foiled repeated attempts on the President's life, and kept him functioning during the darkest hours of the Civil War.
0
Thomas Jacobs invents a way to watch people's memories from the inside. Going against his morals, he accepts an offer to enter a heroin addict's memories to literally see if he committed a crime. However,a malfunction causes his consciousness to become trapped inside the criminal's mind. He remains a prisoner in the addict's memories for more than four years until he discovers the possibility of escape.
-6
A multinational expedition discovers a lost city beneath a pyramid, where they must stop the reawakened gods of ancient Egypt from initiating the apocalypse
-2
Michelle kills three of her friends in a horrific car accident while driving under the influence. After rehab, Michelle takes a job recommended by her counselor that lands her trapped in a mansion with three psychotic siblings hell bent on physical torture to purge Michelle of her sins.
-6
Three childhood friends set aside their personal issues and reunite for a girls’ weekend on a remote island off the coast of Maine. One wrong move turns their weekend getaway into a deadly fight for survival.
-2
A gripping anthological relationship thriller series exploring the emotional fallout of a child's abduction not only on the family but on the wider community, told over two time frames.
-1
Three-part crime thriller. When detective Marcus Farrow looks into a seemingly forgotten case, he has no idea of the chaos and heartache that will soon follow. He is found at the scene of a murder, and with all the evidence pointing towards him, he is arrested and charged.
-3
Big Sur is a film adaptation of the Jack Kerouac autobiographical novel of the same name.
0
A 29-year-old lawyer  and her lesbian best friend experience a dramatic shift in their longtime bond after one enters a serious relationship.
1
Six years after an apocalyptic event killed her family and seemingly everyone else on earth, a lone girl on the verge of insanity is forced to question everything she has ever known when a strange man suddenly appears at her door. The last girl on earth... is not alone.
-5
Nobody likes self-centered realtor Oren Little, and he prefers it that way. He's deliberately mean to anyone who crosses his path and wants nothing more than to sell one final house and retire. His life turns upside-down when his estranged son drops off a granddaughter he never knew existed. Suddenly left in charge of her and with no idea how to take care of a child, he pawns the girl off on his neighbor, Leah -- but he eventually learns how to open his heart.
1
A coming-of-age comedy set in the "go-go" 80s  that is equal parts hijinks and heartfelt about a college student enjoying a last hurrah before summer comes to an end--and the future begins. 

David Myers, an assistant tennis pro at the Red Oaks Country Club in suburban New Jersey in 1985, is both reeling from his father's heart attack and conflicted about what major to declare in the fall. While there, he meets a colorful cast of misfit co-workers and wealthy club members including an alluring art student named Skye and her corporate raider father Getty.
1
Filmmaker Lawrence Shapiro discusses voice-over acting with the talented people behind the characters.
1
Blippi is an energetic character that jumps off the screen with his goofy mannerisms but friendly demeanor. Children from the ages of 2 to 7 years old have quickly taken a liking to Blippi's fun personality and innovative teaching lessons.
4
A young woman, and her last memories of the five people who loved her most, recalled while experiencing a catastrophic event.
0
Lucky Bastard is a "found footage" thriller about a porn website run by Mike (Don McManus) that invites fans to have sex with porn stars. Jay Paulson plays Dave, an eager young fan given a chance to have sex with the fabulous Ashley Saint (Betsy Rue). But everyone gets more than they bargained for in the seemingly mild-mannered Dave... with gruesome results. The film is captured by the "Lucky Bastard" porn cameras for a fresh take on the "found footage" genre
2
Paul is a sweet man-child, raised — and smothered — by his two eccentric aunts in Paris since the death of his parents when he was a toddler. Now thirty-three, he still does not speak. Paul's aunts have only one dream for him: to win piano competitions. Although Paul practices dutifully, he remains unfulfilled until he submits to the interventions of his upstairs neighbour. Suitably named after the novelist, Madame Proust offers Paul a concoction that unlocks repressed memories from his childhood and awakens the most delightful of fantasies.
0
A college student inherits a billboard sign business and inadvertently advertises her dating status while trying to sell ad space.
0
When a supernatural pit worshipped by a remote community in the woods demands a new blood sacrifice, a young woman struggles to find a way to survive as the pit lashes out in anger.
-2
The lives of a breast-cancer patient and a researcher who is trying to prove a genetic link to cancer intersect in a groundbreaking study.
1
Jacob Kaplan lives an ordinary life in Uruguay. Like many of his other Jewish friends, Jacob fled Europe for South America because of World War II. But now turning 76, he is grumpy and in need of adventure.  An unexpected opportunity to achieve greatness comes in the form of a quiet, elderly German, who Mr Kaplan believes to be a runaway Nazi. Determined to capture this Nazi, as Eichmann was captured before him, Mr Kaplan surprises everyone when he takes up this challenge.
0
Set in 17th century Paris, musketeers Athos, Porthos, Aramis and D'Artagnan are members of an elite band of soldiers who fight for what is just. They are heroes in the truest and most abiding sense – men that can be trusted and believed in to do the right thing, regardless of personal risk.
3
An entry-level employee at a powerful corporation finds himself occupying a corner office, but at a dangerous price—he must spy on his boss's old mentor to secure for him a multi-billion dollar advantage.
2
Monty Don, one of Britain's favourite gardeners, has spent the last year working with enthusiasts up and down the country to help them create the garden of their dreams. He has listened to their plans, he has given them advice and he has rolled up his sleeves to help make their dreams come true. But it's not an easy task and there have been times when it all seemed nothing more than a pipe dream.
2
In the short break between performances in Calais, stage actress Alix makes a quick escape to Paris. On the train she meets a mysterious English stranger and, for the most fleeting of afternoons, imagines what the future could hold down a different road.
-4
Hip-hop artist Jay-Z organizes the "Budweiser Made In America" music festival.
0
A young Austrian soldier in World War I fights his way through the Alps to rescue his Italian girlfriend and escape the impending explosion that will rock the mountain.
-1
A rising Boston gangster (Ben Barnes) endangers those around him when he starts to make moves without the knowledge of his boss (Harvey Keitel).
-1
In the shady campgrounds of Yosemite valley, climbers carved out a counterculture lifestyle of dumpster-diving and wild parties that clashed with the conservative values of the National Park Service. And up on the walls, generation after generation has pushed the limits of climbing, vying amongst each other for supremacy on Yosemite's cliffs. "Valley Uprising" is the riveting, unforgettable tale of this bold rock climbing tradition in Yosemite National Park: half a century of struggle against the laws of gravity -- and the laws of the land.
-4
Kip's perfect life is put in jeopardy when the waitress with whom he's having a casual fling is accidentally killed in their motel room. Desperate, he turns to childhood friend and loser, Marvin, to help get rid of the body. Marvin agrees which begins the unraveling of their friendship and ultimately leads both to murderous acts they never thought themselves capable of.
-2
A psychotic executive triggers a journalist's dark side, and they begin to form a strange bond through the internet.
-2
WE MUST GO is a feature documentary chronicling the journey of the Egyptian National Soccer team and coach Bob Bradley as they fight to reach the 2014 FIFA World Cup. Egypt has one of the richest football histories in all of Africa, but despite its continental success, the team hasn't reached soccer's ultimate stage in 24 years. Now, the Pharaohs and their American coach, as unlikely a pairing as there ever was, have the chance to do more than realize their shared dream of World Cup qualification--they can unite a bitterly divided nation.
-1
A military attaché at the French embassy is drawn into a world of abduction, betrayal and intrigue in the diplomatic salons and back alleys of Warsaw. A classic tale of spying, intrigue, and romance, based on the novels of Alan Furst and adapted by Dick Clement and Ian La Frenais.
2
In a California desert town, a short-order cook with clairvoyant abilities encounters a mysterious man with a link to dark, threatening forces.
-4
Bill Scanlin loses his job and embarks on a life of crime. As Bill stays ahead of the law, he discovers that sometimes the only thing worse than getting caught is getting away with it.
-3
On a family trip in the African desert, a research scientist unintentionally travels off course and is brutally murdered by an arms dealer. His girlfriend is put to the ultimate survival test as she attempts to evade the killers and protect his teenage daughter.
-2
Rapping twins Herbert (Jerod Mixon) and Henry (Jamal Mixon) get a shot at stardom when they purchase a prize-winning T-shirt that lands them a chance to perform alongside a hip-hop legend, but they find their dreams going up in flames when their nemesis Kevin (Robbie Kaller) steals the shirt as well as the spotlight. ~ Jason Buchanan, Rovi
-1
With the epic dimensions of a Shakespearean tragedy, The Queen of Versailles follows billionaires Jackie and David’s rags-to-riches story to uncover the innate virtues and flaws of their American dream. We open on the triumphant construction of the biggest house in America, a sprawling, 90,000-square-foot mansion inspired by Versailles. Since a booming time-share business built on the real-estate bubble is financing it, the economic crisis brings progress to a halt and seals the fate of its owners. We witness the impact of this turn of fortune over the next two years in a riveting film fraught with delusion, denial, and self-effacing humor.
0
In the 1980s, ruthless Colombian cocaine barons invaded Miami with a brand of violence unseen in this country since Prohibition-era Chicago. Cocaine Cowboys is the true story of how Miami became the drug, murder and cash capital of the United States. But it isn't the whole story - Pulling from hundreds of hours of additional interviews and recently uncovered archival news footage, Cocaine Cowboys has been RELOADED: packed with footage and stories that have never been told about Griselda Blanco, the Medellín Cartel, and Miami's Cocaine Wars, with firsthand accounts by hit man Jorge 'Rivi' Ayala, cocaine trafficker Jon Roberts, smuggler Mickey Munday, and others. Cocaine Cowboys: Reloaded recreates Miami's Cocaine Wars like you've never experienced it.
-1
Valentin is Acapulco's resident playboy, until a former fling leaves a baby on his doorstep and him heading with her out of Mexico.
0
Granger, an ex-Special Forces soldier gets thrown back to medieval times to fulfill an ancient prophecy. Venturing through the now war torn Kingdom of Ehb, he teams up with an unlikely band of allies with the goal of slaying the leader of the "Dark Ones". Fighting against all odds, they must free the land from the grasp of the evil tyrant Raven and save the world.
-3
The Village tells the story of life in a Derbyshire village through the eyes of a central character, Bert Middleton.
0
When Kyle returns from his stag-do with a sexually transmitted disease, he's left unable to have sex with his fiancée Lydia in the run-up to their wedding.
-1
TK is a handsome and charming womanizer who runs at the first mention of commitment. His life changes when he meets Skiets, the one woman immune to his charms.
3
Newlyweds Claire and Ryan have just moved into a new house. Both are hoping Claire’s pregnancy will be the cement needed to hold their already fraying relationship together. Little do they know their marital issues are the least of their problems. For unbeknownst to them, their scruffy, sleazy and lascivious landlord has installed numerous miniature cameras all over their home and has been spying on them from Day One. Then Ryan begins an office affair, and the landlord kits out the secret basement with chains and soundproofing. Something is going to give in this suburban shocker packed with nasty surprises.
-5
A character-driven documentary and cooking series that takes viewers inside the life of Chef Vivian Howard, who, with her husband Ben Knight, left the big city to open a fine dining restaurant in small-town Eastern North Carolina.
1
In 1984, a group of LGBT activists decide to raise money to support the National Union of Mineworkers during their lengthy strike. There is only one problem: the Union seems embarrassed to receive their support.
-1
In the tradition of Anthony Bourdain's "Kitchen Confidential" and Gelsey Kirkland's "Dancing on my Grave" comes an insider’s look into the secret world of classical musicians.

From her debut recital at Carnegie Recital Hall to the Broadway pits of "Les Miserables" and "Miss Saigon," Blair Tindall has played with some of the biggest names in classical music for twenty-five years. Now in "Mozart in the Jungle," Tindall exposes the scandalous rock and roll lifestyles of the musicians, conductors, and administrators who inhabit the insular world of classical music.
-3
Depressed single mom Adele and her son Henry offer a wounded, fearsome man a ride. As police search town for the escaped convict, the mother and son gradually learn his true story as their options become increasingly limited.
-3
The series centers on four Latina maids working in the homes of Beverly Hills’ wealthiest and most powerful families, and a newcomer who made it personal after a maid was murdered and determined to uncover the truth behind her demise, and in the process become an ally in their lives.
0
Former Hollywood star Reagan Pearce is kidnapped by two men connected to his past while on location in Louisiana. When he wakes up bound and chained in a rundown shack, he soon discovers the real motives of his captors and finds himself in the middle of a twisted scheme with little chance to survive. With no rescue in sight, Reagan must use every ounce of strength he has left to break free and get his revenge.
-2
After being hit by a car, a woman comes home to realize her friends don't really want to take care of her. Desperate for help, she turns to an unlikely source.
-2
Fioravante decides to become a professional Don Juan as a way of making money to help his cash-strapped friend, Murray. With Murray acting as his "manager", the duo quickly finds themselves caught up in the crosscurrents of love and money.
0
Infected by a virus, a mild mannered HR manager attempts to fulfill his overwhelming desire for brains, all while trying to keep it together so as not to incur the wrath of his bridezilla-to-be.
-4
Unknowingly trapped in her role as caretaker of her unappreciative family, a young single woman desperately needs to get her own life. When she volunteers to cat sit at her unrequited love's downtown L.A loft, her world, as she knows it, changes forever.
-1
Forensics students arriving an isolated, island "body farm" get to try out their CSI skills on a bunch of corpses under the watchful eye of their grumpy professor.  The island used to house a state penitentiary where the authorities were experimenting on death row inmates and now the bodies won't stay still.
-2
Patrick lays comatose in a small private hospital, his only action being his involuntary spitting. When a pretty young nurse, just separated from her husband, begins work at the hospital, she senses that Patrick is communicating with her, and he seems to be using his psychic powers to manipulate events in her life.
0
When Ilan Halimi is kidnapped for ransom because Jewish and supposedly rich, his family and the police start a race against time to save him from the tortures of the "gang of barbarians".
-1
Rachel is a quick-witted and lovable stay-at-home mom. Frustrated with the realities of preschool auctions, a lacklustre sex life and career that's gone kaput, she visits a strip club to spice up her marriage and meets McKenna, a stripper she adopts as her live-in nanny.
-1
During the Great Depression, identical twins are separated at birth. One, Drexel Hemsley becomes a wildly successful '50s rock star, while the other, Ryan Wade, struggles to balance his passion for music and pleasing his parents, who want him to become a preacher. Finally, Ryan rebels against his parents' wishes and launches his own music career -- performing the hits of Drexel Hemsley. Ryan later learns the truth about Drexel when their fates tragically collide.
0
A family is torn apart during the American Civil War.
0
A small fishing village must procure a local doctor to secure a lucrative business contract. When unlikely candidate and big city doctor Paul Lewis lands in their lap for a trial residence, the townsfolk rally together to charm him into staying. As the doctor’s time in the village winds to a close, acting mayor Murray French has no choice but to pull out all the stops and begin The Grand Seduction.
3
A man with the ability to enter peoples' memories takes on the case of a brilliant, troubled sixteen-year-old girl to determine whether she is a sociopath or a victim of trauma.
-1
Christina Noble overcomes the harsh difficulties of her childhood in Ireland to discover her destiny on the streets of Saigon. A true story.
0
A struggling, two-bit music manager will lose his job unless he signs a reclusive country music singer, James Hand, who also happens to be his estranged father.
-3
An LA family with serious boundary issues have their past and future unravel when a dramatic admission causes everyone's secrets to spill out.
-2
A mysterious warrior teams up with the daughter and son of a deposed Chinese Emperor to defeat their cruel brother, who seeks their deaths.
-2
Young socialite Iris Carr befriends an older woman while traveling solo by train. When Iris wakes from a nap, the woman is gone and other passengers claim she never existed.
0
Bluestone 42 is a comedy drama about a British bomb disposal detachment in Afghanistan. So what’s the average working day for a hero? Make your keen young colleague deal with the boring paperwork? Wind up your fellow employees? Flirt with the new girl on the team? Or deal with an unseen enemy who’s trying to blow you up? Bluestone 42 is a comedy drama about a bunch of soldiers who just happen to be risking their lives diffusing hidden bombs. But who says they can’t have some fun alongside the serious professional stuff? This hilarious and often surprising series follows the adventures of a bunch of diverse characters living and working together at an army base in Afghanistan. This is a show about something easily forgotten; soldiers really enjoy being soldiers, but it’s not just a show for soldiers and it’s not just about the Army: it’s also a show for anybody who has ever fallen in love, experienced status battles at work or had a fear of failure. It is packed with the lively workmate banter and relationship minefields that most people will recognise. Even if they don’t face danger on a daily basis...
-2
Do Min Joon is an otherworldly beauty, literally. After crash landing on Earth 400 years ago, Min Joon has diligently observed humans for centuries, ultimately coming to cynical conclusions. On top of being a super babe, Min Joon's got enhanced vision, hearing and agility — all the more reason to believe he's superior to everyone on Earth. That is, until he pursues the beautiful actress Cheon Song Yi for a romance out of this world.
6
When up-and-coming District Attorney Mitch Brockden commits a fatal hit-and-run, he feels compelled to throw the case against the accused criminal who was found with the body and blamed for the crime. Following the trial, Mitch's worst fears come true when he realizes that he acquitted a guilty man, and he soon finds himself on the hunt for the killer before more victims pile up.
-7
Forced to give up his land and home, Texas rancher Red Bovie isn't about to retire quietly in a dismal trailer park. Instead he hops in his Cadillac and hits the road with his estranged grandson for one last wild adventure filled with guns, women and booze. It’s just another night in Old Mexico.
-3
Most Americans have never stepped foot on a farm or ranch or even talked to the people who grow and raise the food we eat. "Farmland" takes an intimate look at the lives of farmers and ranchers in their twenties, all of whom are now responsible for running their farming business. Learn about their high- risk/high reward jobs and passion for a way of life that has been passed down from generation to generation, yet continues to evolve.
3
Big Star: Nothing Can Hurt Me is a feature-length documentary film about the dismal commercial failure, subsequent massive critical acclaim, and enduring legacy of pop music's greatest cult phenomenon, Big Star.
-2
A murdered girl is found under a bridge on a remote road and indigenous detective Jay Swan gets the case. Jay finds that no-one is that interested in solving the murder of an indigenous teenager and he is forced to work alone.
0
A feature documentary film set in Hollywood, examining a radical experiment in '70s utopian living. The Source Family were the darlings of the Sunset Strip until their communal living, outsider ideals and spiritual leader Father Yod's 13 wives became an issue with local authorities. They fled to Hawaii, leading to their dramatic demise.
0
Anna, a young novitiate in 1960s Poland, is on the verge of taking her vows when she discovers a family secret dating back to the years of the German occupation.
0
Fleeing religious persecution in Germany, a family seeks a new start in uncharted country - America. It is the mid-1700s and British and French forces are struggling for control over the abundant resources of this new territory. Carving out a homestead can be arduous work, but the family labors joyfully. Then the unthinkable: In a terrifying raid, Delaware warriors kidnap the two young daughters and attempt to indoctrinate them into native culture. Through their ordeal they never lose hope and "their faith becomes their freedom.
-3
After a stint in a psychiatric hospital, a young woman returns to the house where her father killed the entire cast of The Artist during his exorcism.
-1
Host Mark Evans investigates whether the DNA extracted from privately-owned remains of historical figures and celebrities like John Lennon's tooth or Eva Braun's hair can tell us something about these dead famous people.
1
Retirement at last! Middle-aged and divorced, company owner Richard Jones is looking forward to a worry-free existence as he arrives at his office on his last day of work. Much to his dismay, he discovers that the management buyout of his company was fraudulent. The company is now bankrupt and the employee pension fund — including his own — has been embezzled. Enlisting the help of his ex-wife Kate, Richard sets out to track down the shady businessman behind the fraud.
-4
When Adam helps his nutty ex-girlfriend Miriam artificially inseminate, it turns into a one-night stand-- and they both wind up pregnant. You see, Adam has been transitioning to living as a man. Now torn between his feelings for Miriam and his need for a masculine identity, Adam must figure out whether he's going to settle down and have a baby, or just try to be one of the guys.
0
A horror comedy centered on a guy who learns that his unusual stomach problems are being caused by a demon living in his intestines.
-3
A film within a film that explores love in all its painful and messy glory.  Six months ago Zoe and Mal fell for each other while filming a love scene, which led to an intense, whirlwind affair, followed by a devastating breakup. Soon after their split, things get complicated when the two have to meet on set once more to re-shoot that fateful sequence.
-5
The mysterious suicide of a man's sister prompts him to enlist paranormal investigators to look into her death.
-2
Four Republican senators share the same D.C. house rental, and face re-election battles, looming indictments, and parties -- all with a sense of humor.
1
Her innocent appearance is just a cover for Last Comic Standing winner Iliza Shlesinger's acerbic, stream-of-conscious comedy that she unleashes on an unsuspecting audience in her hometown of Dallas in "War Paint," her first stand-up special.
-1
August 1944 two months after D-Day, the Allies are advancing across France. A team of British and American commandos are dropped behind enemy lines on a secret mission to ambush a German Officer and steal maps charting the location of the enemy artillery along the front line.
-4
A case of the flu quickly morphs into a pandemic. As the death toll mounts and the living panic, the government plans extreme measures to contain it.
-3
It's the most mythic of all American emporiums - and the scene of many an ultimate fashion fantasy. Now audiences get a rarified chance to peek behind the backroom doors and into the reality of the fascinating inner workings and fabulous untold stories from Bergdorf Goodman's iconic history in Scatter My Ashes at Bergdorf's.
2
The unique, and rarely told true stories of Australian and New Zealand nurses serving at Gallipoli and the Western Front during the First World War.
0
In his follow up to his tremendously successful debut comedy special 'Mr. Showbiz,' the comic-actor-musician-host responds to anyone who's ever said: 'F#ck Nick Cannon.' A recent health scare has changed how he sees the world and he is here to share his unique perspective on getting older, raising his children, and living with his famous wife (Mariah Carey). Nick Cannon doesn't care what the haters think, and that's what gives him his hilarious edge. Taped at the River Rock Casino in Vancouver, BC.
2
A group of women form an unlikely alliance to get their revenge on a pro athlete and his three friends who played them. The guys are used to getting what they want when they want it, but that's all about to change.
-2
Each year, drunk people are selected to participate in torturous games the morning after a big night out. There's no sunglasses, no water, and no headache medicine. "The Hungover Games," a film that manages to merge the premises of both "The Hunger Games" and "The Hangover" and throw in references to "Ted," "Django Unchained," "The Lord of the Rings," "Carrie," "The Real Housewives of Beverly Hills" and whatever else crossed the writers' fevered brains during the probably very drunken "development process."
-4
Captures the laughter, energy and mayhem from Hart's 2012 "Let Me Explain" concert tour, which spanned 10 countries and 80 cities, and generated over $32 million in ticket sales.
0
Kham is the last in long line of guards who once watched over the King of Thailand's war elephants. Traditionally, only the perfect elephants could successfully help defend the throne, after his harrowing quest to retrieve the elephants, Kham returns to his village to live in peace. But for someone as good in martial arts as him, peace is but a wishful thought.
5
Mona Screamalot, along with her crazy family, prepares you for six short horror films from deep within her trashy treasure chest. This anthology features party killers, giant killer babies, an angry murderous child, a bacterial infection like no other, a murderous cross dresser,a killer in the woods, and Satan. Oh yeah, don't forget the buckets of blood.
-7
When someone murders his beloved cat, Clinton, an adult child, demands justice. Taking it upon himself to solve the case, he teams up with an unlikely ally, Greta, and the two set out to find the culprit lurking in their small suburban town. But as Clinton searches for the truth, he begins to uncover a conspiracy that goes far deeper than he anticipated.
-4
Liz, just returned home after a mental breakdown, has to welcome a relative stranger into her home when Caitlin, a young, vivacious woman, claims to be her husband's daughter.
0
In Garden of Hedon, a man named Owen wakes up in a mansion where every hedonism is perpetually indulged. Every hedonism, including murder. With no memory of how he got there and no help from the residents of the house, Owen sets out to stop the murderer in whatever way he can.
-2
Known as Saul the Butcher, the stoning of Stephen was said to have shattered Saul's faith in the Temple and its denial of Christ as the Messiah. His conversion to Christianity and baptism as Paul changed the history of the world.
-1
An unemployed slacker, his aged mother and his niece must overcome their many differences to find a lost fortune.
-1
Lured by the promise of an Australian holiday, backpackers Rutger, Katarina and Paul visit the notorious Wolf Creek Crater.  Their dream Outback adventure soon becomes a horrific reality when they encounter the site's most infamous local, the last man any traveller to the region ever wants to meet—Mick Taylor.  As the backpackers flee, Mick pursues them on an epic white knuckled rampage across hostile wasteland.
-5
On February 12, 2008, in Oxnard, California, eighth-grade student Brandon McInerney shot his classmate Larry King twice in the back of the head during first period. When Larry died two days later, his murder shocked the nation. Was this a hate crime, one perpetrated by a budding neo-Nazi whose masculinity was threatened by an effeminate gay kid who may have had a crush on him? Or was there even more to it?
-6
In 1951, New York poet Elizabeth Bishop travels to Rio de Janeiro to visit Mary, a college friend. The shy Elizabeth is overwhelmed by Brazilian sensuality. She is the antithesis to Mary’s dashing partner, architect Lota de Macedo Soares. Mary is jealous, but unconventional Lota is determined to have both women at all costs. This eternal triangle plays out against the backdrop of the military coup of 1964. Bishop’s moving poems are at the core of a film which lushly illustrates a crucial phase in the life of this influential Pulitzer prize-winning poet.
0
When Duke Evans, out of work NSA analyst, is evicted from his home he moves his family to his grandfather's old cabin. However here they are also threatened when a hellish cyber-attack is unleashed on the US rendering anything with a computer chip useless. He must now keep his family alive, fight off would be thieves and a newly corrupted government and ultimately make the hardest decision of his life- to survive. Written by Patterson, Matt (V)
-1
Interviews with T.J. Miller, Pete Holmes, Marc Maron, Doug Benson, Jim Norton, Judah Friedlander, Alonzo Bodden, Maria Bamford, Jen Kirkman, Auggie Smith, W. Kamau Bell, Nikki Glaser, Wayne Federman, Seth Milstein, Oni Perez, Alysia Wood, Kris Tinkle, Traci Skene, Brian McKim, Tim O’Rourke, Tom Rhodes, Kyle Kinane and yours truly.
0
An action-packed preschool series about an adorable jet plane named Jett who travels the world delivering packages to children. On every delivery, Jett encounters a new problem that the he and his friends the Super Wings must work together to solve!
2
From oratory classes to operating room, Beauty Factory follows five girls for four months as they compete for the coveted Miss Venezuela crown; revealing the process that has won Venezuela more international beauty pageants than any other country.
2
A teenage boy becomes smitten with his new drama teacher and pursues her, despite the perilous risks of being found out.
-1
A teenager overcomes odds to run a 4-minute mile race.
0
Space Pirate Captain Harlock and his fearless crew face off against the space invaders who seek to conquer the planet Earth.
0
Washed-up history professor Lewis Birch takes his begrudging teenagers Zoe and Jack on a road trip to a conference in hopes of jumpstarting his career and reconnecting with his kids. But, when Lewis’s estranged father Stanley goes missing on a Lewis and Clark historical reenactment trek, Lewis is forced to make a family detour. The Birch family find themselves on a journey of discovery and connection as they make their own passage west.
-1
Follows a trail of energy into the power centers of the universe. Each program visualizes these realms based on current scientific data and uses state of the art supercomputer simulations. Dive into the heart of a supermassive black hole, fly down onto the toxic landscapes of alien planets and ride along the roiling surface of a star that's about to explode!
-2
A hitman accidentally kills a little girl. Filled with regret, he wants to quit. But then to tie up loose ends, he is forced to go on another job, to kill the girl's mother.
-4
Police officer Jane Rydert's life goes into a tailspin the day her older sister, Cassidy, shows up at her door after sixteen years of confinement in a psychiatric hospital.
0
Between 1978 and 1979, the inhabitants of the Oise are in fear of a maniac who kills several hitchhikers and escape the police. He was then dubbed "the killer of the Oise" is actually a shy young policeman who will investigate his own murder, only to lose control of the situation.
-6
After crossing the border illegally for work, Miguel, a hard-working father and devoted husband, finds himself wrongfully accused of murdering a former sheriff’s wife. After learning of his imprisonment, Miguel’s pregnant wife tries to come to his aid and lands in the hands of corrupt coyotes who hold her for ransom. Dissatisfied with the police department’s investigation, the former sheriff tries to uncover the truth about his wife’s death and discovers disturbing evidence that will destroy one family’s future, or tear another’s apart.
-5
Linda has a seemingly perfect marriage with her rugged and handsome husband Mark and an adorable 8 year old daughter, Chloe. But when Chloe is injured by an elderly babysitter who has slipped into dementia, Linda wants to ensure that her child is never hurt again. Initially, Heather, the new babysitter, seems like the ideal addition to this practically perfect family. But Heather is a schemer who exploits the cracks in Mark and Linda's relationship, and delights in the resulting chaos. As Linda later learns, to her horror, Heather's intentions go far beyond the mischievous.
2
The story of Maria Montez, an exotic and glamorous Dominican actress who achieved fame and popularity in Hollywood and Europe until her untimely death in 1951.
0
After he refuses to disavow his faith, a devout Christian student must prove the existence of God or else his college philosophy professor will fail him.
-1
Three friends comedically compete for the same woman.
0
Quinn Forte had it all: power, money, a brother who idolized him, and a woman who loved him. He also had enemies. In the course of one night, he loses everything. Betrayed by someone in his inner circle, Quinn is set up and arrested. His father, the patriarch of the criminal empire is killed and his brother suspects that Quinn is behind it all. When he's released from jail he tries to escape the demons from his past, but that becomes an impossible task. Campbell, the ruthless new leader of "The Company" won't let him leave in peace. So instead of escaping them, Quinn fights back. He joins forces with his former henchman and friend, The Swede, and takes on his enemies head on.
-6
An eighteen year old high school drop out and his twenty-seven year old friend start trafficking marijuana across the border of Canada in order to make money and their lives are changed forever.
0
Cam Calloway is about to find out the price he'll pay for stardom, love and loyalty. A basketball star in his early 20s, Calloway's life changes after he signs a multimillion-dollar contract with a team in Atlanta. He arrives in Georgia bright-eyed and eager to begin his career, joined by cousin and confidant Reggie Vaughn, who tries to keep Cam focused and free from distractions caused by Cam's blunt-but-loyal sister M-Chuck and opportunistic mom Cassie. Feeling a responsibility to support needy family and friends, Cam wrestles with the rewards and pitfalls of sudden wealth and fame.
3
The incredible story of how gay men and women went from being the ultimate outsiders to occupying the halls of power, with a profound influence on our cultural, political and social lives.
1
The haunted Captain of a Soviet submarine holds the fate of the world in his hands. Forced to leave his family behind, he is charged with leading a covert mission cloaked in mystery.
0
Disconnect interweaves multiple storylines about people searching for human connection in today’s wired world. Through poignant turns that are both harrowing and touching, the stories intersect with surprising twists that expose a shocking reality into our daily use of technology that mediates and defines our relationships and ultimately our lives.
-1
Nearly a quarter of a century after she witnessed the murder of her mother, Jane Fielding is married and has a daughter of her own, but the traumatic events of that day still haunt her. She constantly aware that the murderer is still at large. While on a routine visit to hospital, she locks eyes with the man believes killed her mother.
-5
Jimmy is a committed child psychologist who uses his own playbook, but when he is brought in to work with Ellie, he is completely unprepared for his subject—a 9-year-old psychopathic genius with nothing to lose. As he begins to understand the extent of her capabilities and the fate that has been planned for her, he struggles to overcome her defenses before it is too late for them both.
0
A 5-part series about five legendary roads in the US and the people that live alongside them.
1
Madea dispenses her unique form of holiday spirit on rural town when she's coaxed into helping a friend pay her daughter a surprise visit in the country for Christmas.
1
Hector is a quirky psychiatrist who has become increasingly tired of his humdrum life. As he tells his girlfriend, Clara, he feels like a fraud: he hasn’t really tasted life, and yet he’s offering advice to patients who are just not getting any happier. So Hector decides to break out of his deluded and routine driven life. Armed with buckets of courage and child-like curiosity, he embarks on a global quest in hopes of uncovering the elusive secret formula for true happiness. And so begins a larger than life adventure with riotously funny results.
0
Craig Ferguson unleashes his trademark stream-of-consciousness comedy before a sold-out crowd, riffing on fatherhood, Helen of Troy and shark penises. His show's not safe for kids -- or the easily offended.
0
Two eccentric scientists struggle to create eternal youth in a world they call “blind to the tragedy of old age.” As they battle their own aging and suffer the losses of loved ones, their scientific journeys ultimately become personal.
-5
In the 1980s, Anna, a Czech sprinter, starts training for the Olympics. After she collapses during training, she learns she is being given steroids and decides to stop using them until her mother helps the coaches give them to her.
-1
Three best friends and dedicated roleplayers take to the woods to reenact a dungeons and dragons-like scenario as a live action role-playing game. Trouble arises when a prop spellbook purchased from the internet ends up being a genuine grimoire and they unwittingly conjure up a blood-lusting succubus from hell.
0
In Verona, bad blood between the Montague and Capulet families leads to much bitterness. Despite the hostility, Romeo Montague manages an invitation to a masked ball at the estate of the Capulets and meets Juliet, their daughter. The two are instantly smitten but dismayed to learn that their families are enemies. Romeo and Juliet figure out a way to pursue their romance, but Romeo is banished for his part in the slaying of Juliet's cousin, Tybalt.
-2
Thieving Spring Breakers steal an ancient relic that unleashes a disastrous curse upon Las Vegas.
-3
Almost Royal is a tale of two young British aristocrats on their first trip around the United States, interacting with real-life Americans. Currently 50th and 51st in line to the throne, siblings George and Poppy Carlton are the latest Brits on the scene.
0
Follow the lives of an elite group of young dancers who train at The Next Step Studio.
1
The story of a small-town high school football team in rural Ohio destined to play their cross-town rival, a perennial powerhouse, while standing up for an entire community.
-1
Massimo is a graduate in mathematics who, after winning a Totocalcio board, buys the BarLume and becomes the surly barman. Invariably Massimo finds himself investigating, in every episode, some crimes that take place in his town on the Tuscan Riviera, Pineta, collaborating with the Police commissioner Vittoria Fusco. His instinct as a detective always finds inspiration in some conversations, which is forced to sit in his bar, by four old-fashioned old men: his uncle Ampelio (later replaced by his former father-in-law Emo), Pilade, Gino and Aldo. Massimo is also the boss of Tiziana, the handsome and prosperous waitress of BarLume, the erotic dream of everyone.
3
Examines the dawn of the comic book genre and its powerful legacy, as well as the evolution of the characters who leapt from the pages over the last 75 years and their ongoing worldwide cultural impact. It chronicles how these disposable diversions were subject to intense government scrutiny for their influence on American children and how they were created in large part by the children of immigrants whose fierce loyalty to a new homeland laid the foundation for a multi-billion-dollar industry that is an influential part of our national identity.
3
Journey to Self' is an intense story of friendship, sacrifice, empowerment and self-respect. Four childhood friends, Regina, Nse, Rume and Alex, receive news that another long time friend of theirs, Uche, has died.
0
A college student suspects that a nurse may harm her lonely, widowed mother.
-3
Bob Saget takes to the stage with a song in his heart. A filthy, filthy song to be exact. In his latest stand up special, Saget lets loose and embraces the dark side as he tells his favorite dirty jokes and stories about his dad - the guy who made him like this.
-4
The search for Britain's best amateur interior designers. Working in a variety of architectural styles, the contestants have three days to impress both the judges and the homeowners.
3
Craig, a fiercely determined New Brunswick farmer, sets out to build a more suitable house for his ailing wife, Irene, despite their children's concerns. As he starts building, he is blindsided by the bureaucratic codes and officials. As Irene becomes increasingly ill, Craig fights back. Based on a true story.
-1
A documentary following the career ups and downs of television's Batman as his confidants fight to get him a star on the Hollywood Walk of Fame.
1
Generation Y, meet Generation X: on the heels of the success of Answer Me 1997, ‘90s nostalgia continues with a series set in 1994. Journey with a group of high schoolers as they discover the now legendary—then new—K-pop group Seo Taiji and the Boys, as well as the Korean Basketball League, "new" technology, and grungy fashion trends. Sometimes you’ve just got to look to your past in order to appreciate the present. Every generation is sure to find something to love in this field trip back into time! 
4
Wacken Open Air is the biggest 3-day-rock- and metal-festival in the world. It's three days of raw energy, non-stop Heavy Metal music at full blast and 80.000 fans on a party frenzy. A true legend, taking place annually since 1990 in the sleepy German country town of Wacken, it attracts fans from all over the world.
-1
A coming-of-age movie that tells a story unfolding in every high school around the country -- a story of kids hiding their true identities in plain sight, even as they feverishly pursue their hearts' desires.
0
In 1961, no one believed President Kennedy’s pledge to put a man on the moon by the end of the decade. To win the race to space, the USA needed to create a multi-billion dollar space program. Using stunning NASA footage, this inspirational film tells the story of the colossal challenges NASA faced to fulfill Kennedy's pledge. With the accolade of flying 24 men safely to the moon, Saturn V is considered one of mankind's greatest technological achievements. This is the story of the most powerful machine ever built, and the men and women who believed it could fly.
8
Blending drama with the explanations of passionate historians and specialists, this enriched historical reconstruction traces 60 years in the life a man who transformed the Middle Ages and laid the foundation of modern Europe, William The Conqueror.
2
The life of the Russian Empress Ekaterina II (Catherine the Great), a German born princess who came to Russia as bride for the young Peter III, chosen by his aunt Elisabeth, and who, once she came into power, transformed the Russian empire.
1
A feature length documentary film representing the 'B' side to the 2012 release 'Something from Nothing: The Art of Rap'. A hard hitting story of life and death in South Central Los Angeles. A struggle beyond the nearby Hollywood limelight among people for whom state intervention comes mostly with a siren attached. Amsterdam Film Festival Winner World Cinema Documentary Editing Award 2014.
-1
A portrait of the man behind the greatest fraud in sporting history. Lance Armstrong enriched himself by cheating his fans, his sport and the truth. But the former friends whose lives and careers he destroyed would finally bring him down.
-1
After accidentally knocking her best friend off a roof, Alyce is haunted by guilt and delves into a brutal nightmare wonderland of sex, drugs and violence, her mind tearing itself apart… along with anyone else who gets in her way.
-2
Patagonia, 1960. A German physician meets an Argentinian family and follows them on the  long desert road to Bariloche where Eva, Enzo and their three children are going to open a  lodging house by the Nahuel Huapi lake. Unaware of his true identity, they accept him as their first guest.
-1
Kim Seok Joo (Kim Myung Min) is a cold, calculating lawyer who is vying to become successful at all costs. After a fateful accident causes him to lose his memory, Kim Seok Joo must rediscover who he is as a person and choose whether he will fight for justice or fall back into his old ways. Before the accident, he was engaged to the only grandchild of a wealthy family, Yoo Jung Sun (Chae Jung Ahn), but with no memory of her, he begins to fall for Lee Ji Yoon (Park Min Young), an idealistic intern at his law firm. As he regains his memories, will his heart choose new love or old greed?
-3
A young man lands in a cut off village in the Swiss mountains and discovers a dark secret from the past, as the villagers made a pact with the devil...
-2
War is declared and Britain must take action against Nazi Germany if Europe is going to be saved from its ruthless clutches. Determined to beat the enemy Flt. Office Earl Kirk, a young South African pilot, volunteers his services to the Royal Air Force, sacrificing his family, his future and himself in the fight against evil. Whilst in combat, surrounded by bombers and under relentless attack, Kirk must make the decision that could change his and his crew's life forever.
-5
Early 18th century. Cartographer Jonathan Green undertakes a scientific voyage from Europe to the East. Having passed through Transylvania and crossed the Carpathian Mountains, he finds himself in a small village lost in impassible woods. Nothing but chance and heavy fog could bring him to this cursed place. People who live here do not resemble any other people which the traveler saw before that. The villagers, having dug a deep moat to fend themselves from the rest of the world, share a naive belief that they could save themselves from evil, failing to understand that evil has made its nest in their souls and is waiting for an opportunity to gush out upon the world.
-5
Based on the acclaimed memoir by renowned guitarist Andy Summers, Can’t Stand Losing You: Surviving The Police follows Summers’ journey from his early days in the psychedelic ‘60s music scene, when he played with The Animals, to chance encounters with drummer Stewart Copeland and bassist Sting, which led to the formation of a new wave trio, The Police.  The band’s phenomenal rise and its highly publicized dissolution at the height of their fame in the early ’80s captured by Summers’ camera.  Utilizing rare archival footage, Summers’ photos, and insights from the guitarist’s side of the stage, Can’t Stand Losing You brings together past and present as the band members prepare to reunite for the first time in two decades later for a global reunion tour in 2007.
1
In this suspense drama, living on the edge seems to be the only way out. With smiles on their faces, many tend to hide the truth. But by the actions of these characters, their motives suddenly brings about a fate that is unpredictable. In the end, only the truth will reveal what is destined to be.
0
Extraordinary Korean cuisine made with simpler ingredients to create mouth-watering versions of traditional favorites.
3
November 22nd, 1963 was a day that changed the world forever — when young American President John F. Kennedy was assassinated in Dallas, Texas. This film follows, almost in real time, a handful of individuals forced to make split-second decisions after an event that would change their lives and forever alter the world’s landscape.
0
Two young men — a Palestinian grad student and an Israeli lawyer — meet and fall in love amidst personal and political intrigue.
1
The orphan boy Pinky follows the Captain on an exciting and dangerous journey across the big oceans to the kingdom of Lama Rama, hunting for a treasure and the answer to who is Pinky's father.
0
40 years after the first haunting at Eel Marsh House, a group of children evacuated from WWII London arrive, awakening the house's darkest inhabitant.
-1
Sebastian Maniscalco examines the shameless behaviors of our modern society - from the small daily annoyances to the publicly obnoxious - when he asks, "Aren't You Embarrassed?" This new, one-hour comedy special is deeply relatable and highly entertaining as it is inspired by real-life irritations that keep audiences rolling in laughter.
-2
A freak hurricane hits Los Angeles, causing man-eating sharks to be scooped up in tornadoes and flooding the city with shark-infested seawater. Surfer and bar-owner Fin sets out with his friends Baz and Nova to rescue his estranged wife April and teenage daughter Claudia.
-3
A fictional documentary about the creation of the world's first time machine, the men who created it, and the unintended ramifications it has on world events.
-1
In a broken city rife with injustice, ex-cop Billy Taggart seeks redemption and revenge after being double-crossed and then framed by its most powerful figure, the mayor. Billy's relentless pursuit of justice, matched only by his streetwise toughness, makes him an unstoppable force - and the mayor's worst nightmare.
-6
When a mysterious cyber-attack cripples civilization, a group of old college friends and lovers retreat to a remote country cabin, where they must cope with an uncertain future while navigating the minefield of their shared past.
-3
A rebellious teenager forced to repeat her last year of high school is caught between adolescence and adulthood - and between two very different male admirers.
0
David Suchet, TV's Poirot, has spent more of his life acting out the plots and dramas created by Agatha Christie than anyone else in the world. Suchet is embarking on a journey to learn more about the woman who created Poirot and whose books remain outsold only by Shakespeare and the Bible. Suchet's journey takes him to the places Christie lived, the landscapes that inspired her and to meetings with people who knew the woman behind the fame and those inspired by her extraordinary legacy. He explores the close links between Christie's extraordinary life and her work and discovers what it was about the woman from a small seaside town that allowed her to become the best-selling murder mystery writer in history.
2
Professor Joann Fletcher explores what it was like to be a woman of power in ancient Egypt. Through a wealth of spectacular buildings, personal artefacts and amazing tombs, Joann brings to life four of ancient Egypt's most powerful female rulers and discovers the remarkable influence wielded by women, whose power and freedom was unique in the ancient world.  Throughout Egypt's history, women held the title of pharaoh no fewer than 15 times, and many other women played key roles in running the state and shaping every aspect of life. Joann Fletcher puts these influential women back at the heart of our understanding, revealing the other half of ancient Egypt.
7
Set to the music of popular hit songs from the 1980s. A beautiful coastal village, present day Italy. After a whirlwind romance, Maddie is preparing to marry gorgeous Italian Raf, and has invited her sister Taylor to the wedding. Unbeknownst to Maddie, however, Raf is Taylor's ex-holiday flame, and the love of her life...
4
The heartbreaking story of a living placenta that is raised as a human, a christian, a soldier.
-1
The Culture High tears into the very fibre of the modern day marijuana debate to reveal the truth behind the arguments and motives governing both those who support and oppose the existing pot laws.
1
Too shy to make a proper introduction, a recent college grad devises to shoot a documentary about the NYC nightlife scene in order to meet the go-go guy he’s cyber-obsessed with.
1
A seedy bar owner hires a mysterious Croatian to commit murder, but a planned double-crossing backfires when a young waitress is taken hostage. A suspenseful, yet darkly humorous chain of events builds to a bloodcurdling climax.
-3
Orphaned in his childhood and treated abusively by higher-ranking Boyars, Tzar Ivan was a mercurial ruler who committed his first murder at the age of 13 and was feared for his random acts of violence. Experience his powerful reign like never before.
1
In Todd Glass Talks About Stuff, Todd Glass talks about...stuff, covering infomercials, ranting about eating slowly, and bullying those who bullied him for being afraid of the dark. He opens up about his dyslexia, which caused him to say "domestitated." Some of Todd's best stories include going to a restaurant with a health rating of "D" with "elicious" scrawled after it, wanting to suck the goodness out of his dog, and discovering the things that poor people and rich people do.
-4
A man looking for the release of a long-time prisoner takes a police officer, his daughter, and a group of strangers hostage.
-4
1942 - Fritz and Emma are hiding Albert, a Jewish refugee, at their remote farm. Since their marriage has remained childless, Fritz asks Albert to sleep with Emma and conceive a child on his behalf.
0
Los Angeles is about to be hit by a devastating earthquake, and time is running out to save the city from imminent danger.
-2
In a peaceful little clearing, the remains of a hastily abandoned picnic sparks a battle between two tribes of ants. A bold young ladybug finds himself caught in the middle. He befriends the leader of the black ants, Mandible, and helps him save the anthill from the assault of the terrible red ant warriors, led by the fearful Butor. A fantastic journey at ground level.
-1
From the director of CANDYMAN and the producers of PARANORMAL ACTIVITY comes a found-footage nightmare of lust, possession, and destruction. Jill's an artist. Ian's a filmmaker. And their love life is off the chain. There's no experience too wild, no dare too dangerous—not even when Jill lets Ian strap her to a gurney in the abandoned hospital they're scoping out for their next art show. But he shouldn't have left her alone. Not even as a joke. Now, Jill's hookup with horror has awakened something in that place. Something with a lust for more than flesh.
-3
A strange black spot approaches the coast, bringing death and destruction to a fishing village. In a desperate flight to escape the chaos, lonely Albino fights for the great love of his life at the risk of his own soul.
-5
“Mike Case in: The Big Kiss Off” is about Mike Case, a low-rent private detective who works out of his car and advertises on Craigslist. When hired by the sexy yet unstable socialite Victoria Billows to find her missing husband, Lennie, Mike finds himself face to face with raving lunatics, new age con artists, and, of course, beautiful women.
0
Comedy stand-up special featuring the gifted comic, Dana Gould
1
Rent’s a bitch. And that is why, six months after her best friend went missing, Amanda finally gives in to getting another roommate, Hailey. The two college students turn out to have something in common, however: abusive men. For Hailey, it’s her dad. For Amanda, it’s a stalkery ex-boyfriend. But problems can be solved and, you know, you scratch my back, I scratch yours. In other words, Kill for Me, I kill for you.
-6
This documentary chronicles the life story of the Dallas Mavericks' Dirk Nowitzki and his inspiring journey from Germany to superstardom in the NBA.
1
This documentary follows seven wine-making families in the Burgundy region of France, delving into the cultural and creative process of making wine. You'll never look at wine the same way again.
1
The coming-of-age story of Cayden Richards. Forced to hit the road after the murder of his parents, Cayden wanders lost without purpose... Until he meets a certifiable lunatic named Wild Joe who sets him on a path to the ominous town of Lupine Ridge to hunt down the truths of his history. But in the end| who's really hunting whom?
-5
Ronja is the only daughter of Mattis, a bandit leader who lives in a castle in the middle of a large forest. When Ronja grows old enough, she ventures into the forest to interact the strange and magical creatures that live there. She learns to live in the forest through her own strength, with the occasional rescue from her parents. Ronja's life begins to change, however, when she happens upon a boy her own age named Birk.
1
Named after Hitler's failed coup attempt, Beer Hall Putsch brings you deeper into acerbic comic Doug Stanhope's twisted world with his newest one hour stand-up special filmed live at Dante's in Portland.
-3
Psychiatrist Dr. Helena Jarra conducts a series of psychological experiments on several patients afflicted with schizophrenia in order to prove that schizophrenia is connected with paranormal phenomena. Jarra takes a handful of schizophrenics to a secluded house that's rumored to be haunted. Parapsychologist Matias Kram documents the events on videotape for posterity.
1
In the second animation film about Ploddy the Police Car, he stumbles on environmental criminals threatening rare animals when he is to meet the Crown princess. She's there to open a national with a majestic rare breeds of eagles. In the area there's been more and mare animals missing from the wildlife. Now Ploddy has to guard the eggs of the eagle, awaiting the eagle mother to come, while he investigates.
-2
A Todd Barry show consists of two things: amazing jokes and amazing crowd work. In September 2013, he went on a tour without the amazing jokes and did entire shows of riffing and bantering with the audience. Filmed in seven west coast cities, “Todd Barry: The Crowd Work Tour” was directed by Lance Bangs and produced by Louis CK.
3
Lacey Schwartz grew up in a typical upper-middle-class Jewish household in Woodstock, NY, with loving parents and a strong sense of her Jewish identity - despite the open questions from those around her about how a white girl could have such dark skin. She believes her family's explanation that her looks were inherited from her dark-skinned Sicilian grandfather. But when her parents abruptly split, her gut starts to tell her something different.  At age of 18, she finally confronts her mother and learns the truth: her biological father was not the man who raised her, but a black man named Rodney with whom her mother had had an affair.
-1
We Are the Giant tells the stories of ordinary individuals who are transformed by the moral and personal challenges they encounter when standing up for what they believe is right. Powerful and tragic, yet inspirational, their struggles for freedom echo across history and offer hope against seemingly impossible odds.
1
Nick and Meg Burrows return to Paris, the city where they honeymooned, to celebrate their 30th wedding anniversary and rediscover some romance in their long-lived marriage. The film follows the couple as long-established tensions in their marriage break out in humorous and often painful ways.
-1
The Bridgewater Triangle sits within Southeastern Massachusetts, and includes a number of locations known for unexplained occurrences; the most prominent of which include the legendary Hockomock Swamp and the infamous Freetown-Fall River State Forest. The triangle's traditional boarders are revealed by connecting the dots between Abington to the North, Freetown to the Southeast, and Rehoboth to the Southwest. The region hosts an unusually high volume of reports involving strange occurrences, unexplained mysteries and sinister activities. From ghostly hauntings and cryptic animal sightings to UFO encounters and evidence of satanic ritual sacrifice, the Bridgewater Triangle serves as one of the world's most diverse hotspots for paranormal activity. The first-ever feature-length documentary on the subject, The Bridgewater Triangle explores the history of this fascinating region.
-4
When a cold hearted telecommunications executive returns to his small island town for his estranged mother's burial, he learns about the true Taiwanese tradition that mandates him to marry within 100 days so that the parent's spirit can transition peacefully. When a typhoon leaves him stranded for 3 days, he rekindles romance with his free spirited, childhood sweetheart who is engaged to marry a local villager/step brother.
2
Through the hauntingly beautiful lure of Jason deCaire's Taylor's underwater, life-like statues we witness the birth of an artificial coral reef, learn how we are inextricably connected to the ocean and everything in it, and are left to consider how our choices will determine what we leave to future generations.
-1
Momo has one dream buried for years: become a petanque champion. When an international tournament is announced, he drops his ordinary life to win the first prize and fulfill his dreams.
3
In a world of noise, Clarence is a jar of sunshine, pure and simple. He sees the world only in his favorite colors: goofy grape and neon green. Clarence values his friends Jeff and Sumo and his mother Mary more than gold. No matter what happens, good or bad, nothing brings Clarence down.
1
Kirk is enjoying the annual Christmas party extravaganza thrown by his sister until he realizes he needs to help out Christian, his brother-in-law who has a bad case of the bah-humbugs.
0
Dock Ellis pitched a no-hitter on LSD, then worked for decades counseling drug abusers. Dock's soulful style defined 1970s baseball as he kept hitters honest and embarrassed the establishment. An ensemble cast of teammates, friends, and family investigate his life on the field, in the media, and out of the spotlight.
3
Delivery tells the story of Kyle and Rachel Massy, a young couple who agree to document their first pregnancy for a family-oriented reality show. The production spirals out-of-control after the cameras capture a series of unexplained events, leading Rachel to believe that a malevolent spirit has possessed their unborn child.
-1
When her husband goes missing during their Caribbean vacation, a woman sets off on her own to take down the men she thinks are responsible.
0
The Alps, late 19th century. Greider, a mysterious lone rider who claims to be a photographer, arrives at an isolated lumber village, despotically ruled by a family clan, asking for winter accommodation.
-3
In the late 1970s, when a mentally handicapped teenager is abandoned, a gay couple takes him in and becomes the family he's never had. But once the unconventional living arrangement is discovered by authorities, the men must fight the legal system to adopt the child.
-1
Set in a whimsical land and  aimed at preschoolers, a small blue fox named Fig plays each day and discovers adventure, friendship and love around every bend in the path. Children will be enriched by these narratives that promote play, the fun of learning and understanding the world around them.
2
This show follows Big Freedia (born Frederick Ross) on her journey toward superstardom in the mainstream media. As the undisputed ambassador of the energetic, New Orleans-based Bounce movement, Big Freedia is never afraid to twerk, wiggle, and shake her way to self-confidence, and is encouraging her fans to do the same.
1
Miles Montego has it all - cars, boats, good looks, mansion, money, women, but more importantly, he has a past.
1
Heaven Adores You is an intimate, meditative inquiry into the life and music of Elliott Smith. By threading the music of Elliott Smith through the dense, yet often isolating landscapes of the three major cities he lived in -- Portland, New York City, Los Angeles -- Heaven Adores You presents a visual journey and an earnest review of the singer's prolific songwriting and the impact it continues to have on fans, friends, and fellow musicians.
4
Sisters Kate and Melanie haven’t spoken to each other in years since a hurtful scene at Melanie’s wedding. Their parents, Wendy and Al, have let the pain of their daughters’ absence drive a wedge between them, and their tensions have led to a separation. Kate is determined to reunite the entire family for Christmas, and has the perfect spot… their old family home. The only problem is there’s someone else living there now.
-4
A Fine Step is an uplifting family drama centering on Cal Masterson (Luke Perry, Beverly Hills 90210) an award winning horseman whose relationship with his beloved horse Fandango allows him to achieve multiple championship wins. However tragedy strikes when Cal and Fandango are involved in a serious accident, ending Cal's horse riding days forever. Cal's devastation is slowly overcome when his new neighbour, 14 year old Claire Mason (Anna Claire Sneed, Glee) takes an interest in Fandango and convinces him that Fandango's competing days might not be over.
3
At a Christmastime event, Jenna shares an impromptu, unforgettable kiss with the dashing billionaire, Cooper Montgomery. Unaware of his intentions and fearful of getting hurt in another relationship, Jenna vows to resist his charms, but begins to realize his affection is real as the two spend more time together.
2
In Silicon Valley, the right algorithm can make you a king. And these four friends think they've finally cracked the code.
0
The true story of Chong Kim—abducted into the sex trade as a young teen—and the complicated moral choices she had to make in order to survive as her situation grew more desperate.
-2
In the sequel to "Daddy, I'm a Zombie", all of our favorite characters are back! The fate of the planet is once again in Dixie's hands as she must fight to end the battle that has erupted between the living and the walking dead while balancing her newfound popularity at school and a campaign for student council.
-1
From the inventive mind of Jeff Dunham comes the first animated movie starring the world’s most beloved, failed bad guy: Achmed the Dead Terrorist! The Little Skeleton That Couldn’t unexpectedly finds himself in Americaville, USA. There, Achmed is mistaken as a French exchange student while he bumblingly plots to destroy the town and all its “infidels.” But when exposed to the sweet things in life, Achmed’s campaign of hate turns into a patriotic all-American lovefest.
-4
The Franchise Shane Douglas accidentally kills a wrestler in the ring. The wrestler's brother Angus seeks revenge by surrendering his soul to an ancient demon to gain the power to raise the undead. Angus then pays for a private show at an empty prison to lure Douglas and his friend Rowdy Roddy Piper into a death trap.
-6
Dorothy wakes up in post-tornado Kansas, only to be whisked back to Oz to try to save her old friends the Scarecrow, the Lion, the Tin Man and Glinda from a devious new villain, the Jester. Wiser the owl, Marshal Mallow, China Princess and Tugg the tugboat join Dorothy on her latest magical journey through the colorful landscape of Oz to restore order and happiness to Emerald City.
2
After serving 28 years in prison for accidentally killing the son of a crime boss, newly paroled gangster Val reunites with his former partners in crime, Doc and Hirsch, for a night on the town. As the three men revisit old haunts, reflect on their glory days and try to make up for lost time, one wrestles with a terrible quandary: Doc has orders to kill Val, and time is running out for him to figure out a way out of his dilemma.
-11
The Garretts are the envy of most families in their small town. But when their 14-year-old daughter falls victim to a skillful online predator, the family's strength is tested as they search with Sherriff Brown and the Internet Crimes Against Children task force to find their missing child.
0
Jo is an English-language French police procedural television series created by Canadian/USA screenwriter René Balcer of Law & Order fame with French writing team Franck Ollivier & Malina Detcheva, known for the mini-series Lost Signs. It is co-produced by the French Atlantique Productions and the Belgian Stromboli Pictures companies in association with broadcast partners TF1, RTBF, Sat.1, ORF and RTS.
0
Marcelino is an eccentric, introverted painter and art professor who, approaching his sunset years, learns he has a disease that could render him blind at any moment. As he begins to put his emotional affairs in order, including his strained relationship with his daughter, he must face the inevitable.
-4
When the Sleepy Hollow Heights Horror Club learns their local grindhouse will be shut down, they plan a 24-hour horror-movie-marathon as a last-ditch effort to save the theater. Unbeknownst to them, a derelict called The Phantom will stop at nothing to keep the meddling kids from ruining his sanctuary - and things go from bad to worse as The Phantom falls for the girl of his dark dreams.
-7
Everyone hates Ward’s wife and wants her dead, Ward most of all. But when his friends’ murderous fantasies turn into an (accidental) reality, they have to deal with a whole new set of problems — like how to dispose of the body and still make their 3 p.m. tee time.
-4
BET RAISE FOLD: The Story of Online Poker is a feature documentary that follows a new generation of Internet poker professionals during the meteoric rise and sudden crash of the multibillion dollar online poker industry of the 2000s.
-1
A young girl lives in a van with her little brother & her mom. Tired of the embarrassing situation which was promised to be temporary, she decides to try to fix it all on her own. But how to get the money needed first? One day, the girl comes across a flyer offering a reward for a lost dog. Under the mistaken impression that a house could also really cost just that much, she then plots to do exactly that- with the additional help of her best friend, little brother & some others, they'll find a "missing" spoiled pup, return him & get a new home just in time for her birthday! Or at least, that's the plan.. what could go wrong?
-4
Fed up with coordinating weddings for everyone else, unlucky-in-love event planner Mo turns to the internet to see if she can find her own Mr. Right.
1
Former Raiders cheerleader turned stand-up comedienne, Anjelah Johnson has been dazzling audiences on the big screen, on television and during her live performances across America with her hysterical characters and ironic humor. With a huge female following and the ability to cross over to both Mid-western mainstream and Hispanic fan-bases, Anjelah's new show leaves you smiling after an evening full of belly-laughs. A new comic super-star has emerged.  This side splitting release from stand-up comedian and former Oakland Raiders cheerleader Anjelah Johnson captures a live performance by the funnywoman, recorded live in hometown of San Jose.
0
In St. Jude, drug dealers and corrupt cops have destroyed an urban neighborhood. But newcomer, Hong, has the fighting skills and moral vision to save this town from itself.
0
San Francisco, 1985. Two opposites attract at a modern dance company. Together, their courage and resilience are tested as they navigate a world full of risks and promise, against the backdrop of a disease no one seems to know anything about.
2
It was a bachelor’s life for hard-working and fun-loving Ray Ray Dominguez (Joey Dedio) who dreamt of leaving the barrio for a more carefree existence in Miami. That’s until one day when everything changed – and he became a reluctant “Tio Papi” aka Uncle Daddy to his sister’s six children ages 6 to 16. Now, in charge of raising this energetic (and expensive) clan, Ray Ray must make important decisions on what life really is all about. Combining heart-warming drama with light-hearted comedy, TIO PAPI, directed by Fro Rojas from the original screenplay by Joey Dedio and Brian Herskowitz, is an upbeat story of life’s unexpected surprises and ultimately what matters the most – the love of family.
4
In 1959, Fidel Castro rose to power in Cuba. He has been one of the most controversial figures in the world ever since. This is the story of the Cuban dictator's turbulent career, told in part through media reports, rare images and recordings.
-3
In 1868 during the late Qing Dynasty, rampant corruption on the Imperial Court inflicts much suffering in people's lives. For years, the Black Tiger’s fearsome boss Lei Gong has been trying to get rid of the leader of the Northern Sea. One of his latest recruits is Fei, a fearless fighter who takes the Northern Sea leader’s head after a fierce fight. Just as Lei Gong believes he has total control of the port, a new gang called the Orphans rises in power. Led by Fei’s childhood friend Huo, the Orphans are out to eliminate all the criminal power from the port…
-6
Chapman is an ex-marine in Brazil's slums, battling the yakuza outfit who attacked his sister and left her for dead.
-1
After learning that a brain aneurysm will kill him in about 90 minutes, a perpetually unhappy man struggles to come to terms with his fate and make amends with everyone he has ever hurt.
-4
The trial story of Viviane Amsalem's five year fight to obtain her divorce in front of the only legal authority competent for divorce cases in Israel, the Rabbinical Court.
0
When a group of old college friends reunite over a long weekend after one of them attempts suicide, old crushes and resentments shine light on their life decisions, and ultimately push friendships and relationships to the brink.
-2
Framed for assassinating the Grandmaster, the Lost Ninja Clan must battle their way up an underground nuclear bunker filled with hordes of supernatural enemies, mutants and flesh eating zombies. Trapped a thousand feet below the earth's crust, these ninjas will face hell.
-6
When a beautiful and mysterious woman bursts into the office of Leo Falloon, desperate to find her missing brother, it's just another day in the life of a hard-boiled detective. The problem is, Leo's not a detective. He sells novelty advertising across the hall from the detective, but how hard can it be?
-2
Doug Benson brings his weed laced comedy to Seattle's Neptune Theater for his first ever hour long comedy special.
-1
Meet Peg, a curious and spunky preschooler, and her feline companion, Cat, who will rely on math "to tackle social and relationship issues and everyday problems like cleaning up a messy bedroom," Rotenberg says. Some of their dilemmas may be zany — like how to get 100 chickens back into their coop or how to feed a horde of hungry pirates with just one banana — but it's all solvable via mathematics and a zippy song.
-2
Martin, an ex-Parisian well-heeled hipster passionate about Gustave Flaubert who settled into a Norman village as a baker, sees an English couple moving into a small farm nearby. Not only are the names of the new arrivals Gemma and Charles Bovery, but their behavior also seems to be inspired by Flaubert's heroes.
2
To avenge his father's death, a circus entertainer trained in magic and acrobatics turns thief to take down a corrupt bank in Chicago. Two cops from Mumbai are assigned to the case.
-2
A snow avalanche awakens humungous, prehistoric sharks that proceed to chomp on bikini clad co-eds.
-2
After the disappearance of a young scientist on a business trip, his son and wife struggle to cope, only to make a bizarre discovery years later - one that may bring him home.
-2
Marie, a reluctant resident of a retirement community in Southern Oregon, decides to walk 80 miles down the Redwood Highway to see the ocean for the first time in 45 years.
-1
Quirky comedian and actor Brian Posehn shares his stories of trying to be a better person in this stand-up set filmed live at Seattle's Neptune Theater.
1
A freak weather system turns its deadly fury on New York City, unleashing a Sharknado on the population and its most cherished, iconic sites - and only Fin and April can save the Big Apple.
-2
When Kassie and her friends stumble across an old, broken pocket watch they begin an unexpected journey to unlock the secret of the legendary Garrison Gold. They'll have to solve riddles and follow clues to find the lost treasure. With the help of her faithful dog, Scoot and her gang of misfit friends, Kassie is about to go on the adventure of a lifetime!  - Written by BigK509
-1
A man who trains fighting cocks vows to remain silent until one of his birds wins a championship.
2
Once upon a time in North India, two killers – Dev and Tutu - roamed free. Abandoned when young and vulnerable, Bhaiyaji gave them shelter and nurtured them to kill! All is normal in their lives until destiny throws free-spirited Disha into the mix. What follows is a game of defiance, deception and love.
-2
A father and his kids take an unexpected detour, and discover the true meaning of Christmas in this warmhearted tale for the entire family. Matt and his kids were en route to grandma's house when their car broke down in the middle of nowhere. Fortunately for them, local rancher Bonnie-Kate has a big heart, and a spare room. But lately poachers have been trespassing on Bonnie-Kate's land, and as the stranded family awaits rescue over the next few days, they agree to help protect her ranch. In the process, Matt and his children learn that it's not about what you get during the holiday season, but what you give instead.
1
A group of amateur ghost hunters go missing as they journey into the bowels of an abandon Insane Asylum in a search for evidence of the 'Lady in White' said to haunt the grounds. The only evidence of their quest of no return are video cards discovered by workman as they demolish what's left of the vacant structures. Some of the footage was salvageable and reveals the missing ghost hunters fate as they traverse into the unknowns of the Asylum
-4
Jack Parker has always skated by on his lies, especially the one about Mikey, an underprivileged (and made-up) teen who Jack "tutors"... until one day "Mikey" shows up for real, and all Jack's lies start coming true.
-2
Harry is having a very, very bad day. He returns home from an all-night drinking binge with his cousin Cecil, to discover that his little dog Jolly...Harry's one true love and the source of light in his dark, solitary life-has been murdered. Brokenhearted and beyond consolation, he vows to track down the dog's murderer at any cost. Armed with a stockpile of firepower in the trunk of his car, he and Cecil embark on a frenzied, alcohol-fueled wild-goose chase, leaving a bloody path of destruction in their wake.
-4
Drama series depicts a love story between Ban Ji-Yeon and Yoon Dong-Ha.  Ban Ji-Yeon is a single 39-year-old woman. She works as a reporter and is very enthusiastic about her work. So much so that she is often called a “witch” at work. She doesn't believe in true love, because of her past experience when her boyfriend disappeared prior to their wedding.  Yoon Dong-Ha is 25-year-old young man who runs a small errand center with his friend. The errand center will do pretty much anything including sending out someone dressed as Santa Claus or provide security for an idol star. He looks like a happy guy, but he lost his girlfriend by an accident.
9
When a high school football star is suddenly stricken with irreversible total blindness, he must decide whether to live a safe handicapped life or bravely return to the life he once knew and the sport he still loves.
-1
With the help of a hilarious, all-female slate of stand-up comedians, Jenny McCarthy takes an outrageous look at life as a contemporary woman: from single motherhood to casual sex. Shot at the Hard Rock Hotel & Casino, this one-hour special includes sets from Justine Marino, Tammy Pescatelli, Lynne Koplitz, Paula Bel and Tiffany Haddish, as well as a series of sketch vignettes from McCarthy herself.
0
Alex, blind since the age of two, dreams of running for his school's cross-country team. His father, a probation officer, finds a running partner who spends his time 'running' from the law.
-1
Eleven-year old genius and kid-scientist Anne has invented and built her own amazing androids. Nick discovers Anne's secret junkyard laboratory and enlists the help of Shania to befriend Anne and her mechanical companions. Together they help solve Anne's scientific problems through real-life solutions.
0
'Iceberg Slim: Portrait of a Pimp', examines the tumultuous life of legendary Chicago pimp Iceberg Slim (1918-1992) and how he reinvented himself from pimp to author of 7 groundbreaking books. These books were the birth of Street Lit and explored the world of the ghetto in gritty and poetic detail and have made him a cultural icon. Interviews with Iceberg Slim, Chris Rock, Henry Rollins, Ice-T, Snoop Dogg, and Quincy Jones.
0
After sneaking to a party with her friends, 16-year-old Amber Stevens goes missing. Forced into the world of sex trafficking, her family and community fight to get her back. Inspired by actual events.
0
THE LOTTERY OF BIRTH is the first in a three-part documentary series entitled 'Creating Freedom' exploring the relationship between freedom, power and control in Western democracies. The series draws together interviews with some of the world's leading intellectuals, journalists and activists to offer an alternative perspective on today's society and the future we're creating. We do not choose to exist, or the environment we grow up in. Our starting point in life is one of passive reliance on forces over which we have no control. THE LOTTERY OF BIRTH shows that from birth onwards our minds are a battleground of competing forces: familial, educational, cultural, and professional. The outcome of this battle not only determines who we become, but the society that we create.
2
Yu-Gi-Oh! Arc-V is the fourth main spin-off of the Yu-Gi-Oh! series. Yuya Sakaki is a student who is learning to become an entertainment duelist at the You Show Duel School. He gains access to a new power during an exhibition match against the current champion but that is only the beginning of the mysteries in store for him and his friends.
1
From the streets of Bristol to the caverns of London and beyond, BanksyDoc finds the truths and explores the impact that the world’s most famous graffiti artist has had on the art world, on the expression of protest and satire, and on the perception of what you can do with a spray can and a stencil. Furthermore, this documentary explores the highly active art collector's world and how the celebrity factor shockingly influences value.
-1
A martial arts instructor working at a police academy gets imprisoned after killing a man by accident. But when a vicious killer starts targeting martial arts masters, the instructor offers to help the police in return for his freedom.
-1
A bacteriological weapon developed by the US Government to create a super soldier - spreads an epidemic in a quiet little town in the middle of Eastern Europe. All citizens have been turned into infected zombies. The plan is to bring an atomic bomb into the city's nuclear plant to pretend a terrible accident occurred. No one has to know the truth. A team of mercenaries is hired to complete the mission. The battle is on. Hordes of monsters against the team. Who will survive?
-6
Grandmaster Ip Man was born in a time of turbulence. He spends his life chasing after the realm of martial arts. His upbringing and experiences would transform him into a legend. From Foshan to Guangzhou to Hong Kong, he meets, one-by-one, the people who will have the most influence on his life, including a revolutionist, his first teacher, and his Wing Chun master.
1
Filling the giant screen with stunning time-lapse vistas of Antarctica, and detailing year-round life at McMurdo and Scott Base, Anthony Powell’s documentary is a potent hymn to the icy continent and the heavens above.
2
The lives of Calcutta's most powerful gangsters - Bikram and Bala, changes when Nandita enters it. Then a counter-force takes charge and a thriller unfolds.
0
After crossing into the U.S. with no family to speak of, young Cecilia finds herself in the charge of Francisco, a lonely Cuban immigrant long separated from his own family. Francisco operates a way station for border crossers on the outskirts of Lake Los Angeles, a surreal, desiccated lakebed in the California desert. While he copes with the alienation of living alone in a foreign land and the impossibility of realizing the American dream, Cecilia aimlessly wanders the dusty landscape, accompanied only by her fantastical imagination and distant memories of motherly love.
-3
A highly successful upper middle class woman with a loving family has her seemingly “perfect” world turned upside down when the hidden secrets from her past suddenly resurface, forcing her and her beloved mother into a painful examination of their lives, their relationship with one another, and their faith in God
4
Funnywoman Morgan Murphy always targets herself first, but doesn't hesitate to bring down everyone else, from Planned Parenthood to teen sexters. Recorded at The Nerdmelt Showroom in Los Angeles.
0
Sinbad makes his feelings clear about no-talent millionaires with clothing lines. Other topics coming under scrutiny are potty-mouthed comics and his parents' child-rearing skills.
2
Seventeen-year-old Mariah Mundi's life is turned upside down when his parents vanish and his younger brother is kidnapped. Following a trail of clues to the darkly majestic Prince Regent Hotel, Mariah discovers a hidden realm of child-stealing monsters, deadly secrets and a long-lost artefact that grants limitless wealth—but also devastating supernatural power. With the fate of his world, and his family at stake, Mariah will risk everything to unravel the Curse of the Midas Box.
-5
High schooler Jason has found his dream girl—the gorgeous Anastacia. There’s just one problem: she doesn’t know he exists. If he can win a spot on the school’s hottest dance crew, Jason might have a shot. But before he does, he’ll have to overcome his battle-ax of a mother, survive Anastacia’s gangsta brother, and pass the crew’s initiation—in this fresh, sexy, and outrageously funny comedy.
2
Eddie lands his first teaching gig at an inner city middle school and finds his highly pubescent pupils are receiving no form of sexual education. Eddie isn't really equipped to teach them...he's not exactly experienced romantically.
1
On a flight home to Chicago for a family wedding, childhood friends Josh and Molly innocently agree to fake a wedding engagement to make Josh's dying father happy. Things quickly get out of hand with their two boisterous families, and a series of events causes them to pretend to be a couple and start planning a phony wedding. When the playacting begins to foster real feelings, the two must make some serious decisions: Split up and return to their lives in LA, or make a life as a couple back in Chicago?
-5
After his daughter persuades him to move into a new apartment, aged widower Fred strikes up a friendship with his eccentric 74-year-old neighbour Elsa, who convinces him it's never too late to keep enjoying life. Although he seemed resigned to a miserable bedridden existence, Fred embraces Elsa's youthful enthusiasm as she introduces him to the path of life and entertains him with outlandish stories about her past life. But when he discovers Elsa's terminally ill, Fred decides to accompany her on the trip of her dreams to the eternal city of Rome to help her fulfil a lifelong ambition.
0
The extraordinary story of the planet’s most famous contemporary scientist, told in his own words and by those closest to him. Made with unique access to Hawking’s private life, this is an intimate and moving journey into Stephen's world, both past and present.
3
When Khosrow Vaziri became the World Wrestling Federations Iron Sheik and camel-clutched his way to fame in the 1980s, he achieved the American Dream by personifying a foreign villain. Losing his world championship belt to Hulk Hogan became a defining moment in professional wrestling. These days, the Sheiks smackdowns are on Twitter, where hes gained a new following.  Once an Olympic hopeful, bodyguard to Irans Shah and pop culture icon, we witness Vaziri struggling with addiction and despair as a family man. But with the help of Torontos Magen brothers, the Sheik begins a road to redemption and renewed status as a public figure.  Showcasing his powerful past and at times painful present, this is an insightful look at one of wrestlings biggest stars, but also a powerful story of personal sacrifice that, in the Sheiks own words, will make you humble.
5
A former U.S. Navy Seal seeks life, liberty and the pursuit of happiness living life as a transgender woman.
2
A medicine woman - a giver of life - is asked to hide a secret which may protect one life but which will destroy another.
0
A fledgling sorority has just purchased their new home, but the inexpensive beat up house has a history no one could imagine. Now as they move in and continue their college lives something evil is making itself known by affecting their minds... and bodies.
0
NBA player Mike "Stinger" Glenn plays himself in this wonderful film inspired by his real life basketball camps for the deaf and hard of hearing. In a unique casting deaf and hard of hearing, and hearing actors work together and deliver a film which is authentic, charming, competitive, and challenging.
0
At a high school entrance ceremony, high school student Kotoko Aihara, who isn't that smart, notices pretty boy Naoki Irie. She falls in love with him immediately. Kotoko initially doesn't express her feelings to him, but finally has a chance to tell him how she feels. Unfortunately, Naoki turns Kotoko down, saying "I don't like dumb women." One day, Kotoko Aihara's house is severely damaged by an earthquake. Until the house is rebuilt, Kotoko Aihara and her father decide to live with her father's friend. When Kotoko Aihara moves to her new temporary house, she is surprised to learn that Naoki Irie lives there as well.
1
Based on the true story of teenager James Burns who goes from a suburban street gang to a maximum-security prison cell surrounded by hardened criminals. He turns his life around in prison thanks to the unexpected friendship he forms with a convicted murderer who becomes his mentor.
-7
A search and recovery team heads into Victor Crowley’s haunted swamp to pick up the pieces, and Marybeth learns the secret to ending the voodoo curse that has left Victor Crowley terrorizing Honey Island Swamp for decades.
0
A true sports story that utterly defies the odds, Duguay’s film captures the wild ups and downs of the Olympics-bound career of legendary equine star Jappeloup and his troubled rider, locked in a tense relationship with his horseman father and forever uncertain of his own skills as an equestrian
-3
Marc Maron returns to his old stomping grounds for an intimate special in which he takes stock of himself. More than ever, Maron is raw and hilariously honest as he dissects his own neuroses and self-loathing while providing outrageous anecdotes from his personal life, in which he starts to realize the hurt isn't real, it's just "Thinky Pain."
-1
Venus and Serena takes an honest and unfiltered look into the remarkable lives of sisters and tennis legends Serena and Venus Williams. Through the prism of one year in their lives, the film tells the untold story of how these two great stars came to be and how they struggle to stay on top.
3
To celebrate their golden wedding anniversary, actors Timothy West and Prunella Scales embark on four spectacular canal journeys, sharing a passion that they've enjoyed for decades. To start the series, Tim and Pru revisit the Kennet and Avon Canal in the West Country. Back in 1990, to promote the fully restored canal, Tim and Pru were invited to be the first boat in 42 years to travel the full length of the K&A. Almost a quarter of a century later, they navigate the 21 miles along its most picturesque stretch, starting in Bath and ending in Devizes.
7
The military's attempt to shoot down an orbiting satellite unleashes a space-borne epidemic on a remote, small town. Deputy Max Brody and his girlfriend Brooke must battle their way through an army of infected townsfolk and soldiers as they struggle to save themselves and their loved ones from a horrible, early death. When cannibalism is contagious, will even the strong survive?
-4
A self-proclaimed "ex-lesbian," Jill hunts down her ex-girlfriend Jamie to prove to herself that she is no longer attracted to her. "Heterosexual Jill" is a satire about sexuality where nothing is as it seems.
0
Higher traces Jones’ snowboarding journey from hiking Cape Cod’s Jailhouse Hill as a child to accumulating several generations’ worth of wisdom and expertise about thriving and surviving in the winter wilderness.
3
In 1862, amidst the rule of the late Joseon dynasty in Korea, a band of fighters named Kundo rise against the unjust authorities.
-1
A broken family finds their relationships to one another changed by a new arrival in the household.
-1
When a family visits Grandma's house on Christmas Eve, they leave their dog at home alone. And when burglars try to take the presents from under the tree, the dog must use every trick it knows to stop them.
-1
Drama telling the story of Hollywood's most glamorous couple, Richard Burton and Elizabeth Taylor, who acted together for the last time in Noel Coward's Private Lives in 1983.
0
From T.C. Christensen, director of the sensational pioneer film, 17 Miracles, comes the heroic true story of a simple man who was called to do the work of angels. Ephraim’s Rescue relates the story of Ephraim Hanks: a rescuer of the Martin Handcart company. Follow Ephraim as his adventures lead him to join the LDS Church and ultimately to one of the most heroic rescues in American history. With a unique desire to help and strengthen others, Ephraim learns that each choice we make can prepare us for what lies ahead. He discovers, through it all, that decisions determine destiny.
7
Deep in the heart of the English countryside lies the enchanting village of Gladbury. Legend has it every 25 years an angel visits the village candlemaker and touches a single candle. Whoever lights this candle receives a miracle on Christmas Eve. But in 1890, at the dawn of the electric age, this centuries old legend may come to an end.
3
When a disgraced architect awakens from a coma, he is confronted by an agent of evil with a proposition; kill five people to reconcile his life's misdeeds and live, or decline the offer and die. As he proceeds with his grim assignment and begins collecting the fifth and final soul, he learns that his pact may have eternally horrifying consequences…
-6
When a robot dog from the future pops up in their backyard on a mission to help them, 11-year-old James and his beloved golden retriever, Rex, learn that it is up to them to save the world from Dr. Apocalypse, an evil scientist, and his wily robotic Destructo-Cat.
-1
Historian Ruth Goodman and archaeologists Peter Ginn and Tom Pinfold turn the clock back 500 years to the early Tudor period to become tenant farmers on monastery land.
0
Blowfly Park is a psychological thriller which follows Christian Kretschmann, a day-nursery teacher, who may have committed a violent murder. This is the film debut of choreographer Jens Östberg.
-2
A love story about a woman who "just wants someone who makes her laugh" and a man who is not that funny. As he tries to learn how to be the man she says she wants, they each find an unexpected chance at happiness.
0
Run Boy Run is the true story of Jurek, an eight-year-old boy, who escapes from the Warsaw ghetto, then manages to survive in the woods and working as a farmhand, disguising himself as a Polish orphan. He encounters people who will betray him for a reward, who will beat him up or try to kill him, and he meets those, who will do and risk almost everything to help him. Jurek’s resilience is put to the ultimate test, when an accident cripples him, making it harder to find work. But he struggles on against all odds. Eventually the Russians reach his area and Jurek even finds a family where he could stay. Yet he is betrayed again, and a young man from a Jewish orphanage forcefully tries to bring Jurek back to his people and his faith.
-4
Medieval Europe: Father Christmas is a fading memory, after Christmas hasn't come for several years.  A young orphan girl, Ayden, receives a magic crystal from a dying elf, with a warning that the North has lost its magic, and that she alone can save Christmas.  Ayden and her orphan friends begin a perilous journey and must escape dragons, goblins, bandits, ogres, and other fantasy creatures as they team up with Airk, the wayward son of Father Christmas, to return a stolen Christmas orb to the North.  When Santa's magic cannot overpower the growing Snarl (an evil forest with tentacle branches), Ayden and Airk must deliver Christmas on a sleigh pulled by a young dragon, fulfilling Christmas wishes for children to restore Santa's magic and save Christmas.
-7
Cowgirls 'n Angels Dakota's Summer tells the story of Dakota Rose, a cowgirl and competitive trick rider who finds out at the age of seventeen that she was adopted. She secretly sets out to discover the truth about her adoption and meet her birth parents while visiting her grandfather, rodeo legend Austin Rose. At Austin's ranch on break from the Sweethearts of the Rodeo trick riding team, Dakota discovers that family is not defined by blood, but rather personal commitment and by the love they share. Finally at peace, Dakota trains with Austin in order to prepare to rejoin the Sweethearts for their final competition against the talented Lone Star trick riding team and become the champion trick rider she was destined to be.
3
The life story of basketball sensation, Jeremy Lin.
1
Openly gay Ernesto and closeted Gabe grapple with the sad tribulations of being gay in a small, working-class Texas town
-1
Evil wreaks pure havoc and bloody murder upon Leslie Van Hooten, a beautiful young girl, and her unsuspecting fellow grad students as they make their way to her family’s extravagant and yet isolated estate.
-6
Set in rural Arkansas in 1973, Come Morning is the tragic story of Frank and his 10-year-old grandson and the hunting accident that forever changes their lives.
-1
Break out the crucifix, get some garlic, and say your prayers cause Elvira’s coming for a visit.
-1
Replete with long-form stories of family life, how he really got started as a comedian and his love of 1980s metal, Jim Breuer's hilariously personal stand-up special finds the "Goat Boy" comic at the top of his game.
2
When Matthew explores the 'spiral' in his grandmother's garden (a strange structure built by his late grandfather) he discovers an entrance into the magical world of 'the Shadows' where he meets his new Shadow friends, Yorrick and Alice, and begins his great adventure.
1
In this Hunger Games spoof, Kantmiss Evershot must fight for her life in the 75th annual Starving Games, where she could also win an old ham, a coupon for a foot-long sub, and a partially eaten pickle.
1
Australia's funniest comedians search for the truth as they take the pulse of the nation from behind the driver's wheel of a taxicab with everyday punters.
0
In this stand-up special filmed in Kansas City, comedian Chris Porter, an ex-finalist on "Last Comic Standing," delivers his takes on drugs, growing old, women's fashion and his love for Taco Bell.
1
The first movie in a trilogy, focusing on the battle against the Takahashi brothers. High school student Takumi Fujiwara works as a gas station attendant during the day and a delivery boy for his father's tofu shop during late nights. Little does he know that his precise driving skills and his father's modified Toyota Sprinter AE86 Trueno make him the best amateur road racer on Mt. Akina's highway. Because of this, racing groups from all over the Gunma prefecture issue challenges to Takumi to see if he really has what it takes to be a road legend.
3
A group of single moms are brought together in the aftermath of an incident at their children's school.
0
Deep in the jungles of Southeast Asia, a terrorist organization has stolen materials to create a dangerous chemical bomb. It is up to Captain Max Randall and his team of Marines to stop them. But when Randall's team kill the terrorist leader's son, the group responds by kidnapping General Wallace's daughter. It is up to Randall to save her and stop the terrorist attack.
-5
Based on a true story.  In Léon Blum high school in Créteil (France), a history teacher decides to have her weakest 10th grade class take a national history competition. This will change them.
0
A hot one-night stand turns into an awkward morning after when Guy and Holly get stuck in a dead-stopped traffic jam.
-2
Fifteen year old Megan Shephard and her parents will do anything to save their struggling farm. When they discover a wild stallion in a nearby forest they begin to wonder if this could be the answer to their prayers.
-1
Kathleen Madigan drops in on Detroit to deliver material derived from time spent with her Irish Catholic Midwest family, eating random pills out of her mother's purse, touring Afghanistan, and her love of John Denver and the Lunesta butterfly.
1
An expecting couple, a survival expert and four teenagers deal with a global blackout and the disintegration of society around them. In their plight for survival, they must endure the worst of human behavior.
-1
Inspirational true story of Iranian dancer Afshin Ghaffarian, who risked his life for his dream to become a dancer despite a nationwide dancing ban.
1
In the small Central California town where they grew up, two estranged gay brothers struggle to reconnect after the recent death of their father.
-3
After losing hope of conceiving a child on their own, Christy and Mitch turn to surrogacy in hopes of creating the perfect family. However, their confidence is quickly shaken when they discover that the young woman might not be as perfect as they first thought...
2
Following the death of CEO Robert Loring at precisely 10:44 pm, the FBI sends in Jordan Price, one of their best and brightest to solve the case. As other key executives are murdered at exactly the same time, Jordan finds herself investigating the past in order to solve the case. She quickly discovers the ultimate cover up and is under the gun to solve the mystery before the next victim is killed.
0
TRU, 37, is a serial bed-hopping lesbian who cannot commit to a relationship or a job for long...that is, until she meets ALICE, 60, a beautiful widow, who has come to town at the last minute to visit her daughter, SUZANNE, 35, a too-busy corporate lawyer and Tru's friend. Alice and Tru begin to forge an unlikely friendship...and more. Suzanne, who has a deeply conflicted relationship with her mother and a complicated past with Tru, becomes increasingly alarmed at the growing bond between Tru and her mother. Tensions escalate after Suzanne witnesses an intimate moment between them. She tries to sabotage the budding romance, but it backfires, as Tru Love is hard to contain.
-4
Force Majeure (French) (pronounced: fors mah-ZHur), "superior force", "chance occurrence, unavoidable accident": 2 years and 27 countries, Force Majeure Live was filmed during Eddie's mammoth 2013/2014 tour and takes you on a truly hilarious journey, offering a rare glimpse in to the mind of the master of surrealism.
3
When local heavy and ex-boxer Tom Sheridan (Ian Pirie) agrees to hire his strip club out to lifelong friend and colleague Ian Levine (Michael Mckell) he soon discovers the private party involves child prostitution and trafficking, catering for wealthy paedophiles. Feeling betrayed and disgusted, Tom obtains secret photo evidence of the party and threatens exposing Ian to his associates and family. This sparks a bloody feud between the two old friends and their foot soldiers, in a story of Morality, Loyalty and Betrayal.
0
The film follows Zeke (Robert McMurray), Callie (Alicia Marie Marcucci), Les (Seth Gontkovic) and Hunter (Jake Mulliken) on the eve of Hunter's 29th birthday as they share in a few drinks on a seemingly dull day in their hometown of Somerset. The day takes a turn for the worse as everyone they have ever known are suddenly transformed into aggressively murderous flesh eating freaks. The four comrades are forced to hack and slash their way through the reanimated corpses of their closest friends and loved ones, only to find themselves on the precipice of a post apocalyptic wasteland littered with monsters and the looming threat of their fellow survivors.
-6
Standup special recorded in Kansas City.
0
James and Genie an estranged couple must go all the way to Vegas to rekindle a lost sparkle in their relationship, only to find out what happens in Vegas, doesn't always stay in Vegas
-1
From PBS - The secret Nazi death camp at Sobibor was created solely for the mass extermination of Jews. But on the 14th of October 1943, the inmates fought back, in the biggest and most successful prison outbreak of the Second World War. Told through the firsthand accounts of four survivors--Toivi Blatt, Phillip Bialowitz, Selma Engel-Wijnberg, and former Russian POW Semjon Rozenfeld--and using dramatic reenactments, Escape From a Nazi Death Camp recounts the true horror of life at Sobibor, and the desperation, determination, and courage of its prisoners. Of the 600 inmates present on the day of the escape, 300 escaped into the forest surrounding Sobibor. Of that 300, many were shot, turned in, murdered, or captured by Nazis. Around 50 survived the war and of that 50, only a handful are still alive. Now in their 80s and 90s, this is their last chance to reveal, in their own words, the true story of the day they escaped certain death to freedom.
-4
When Shawn Wyatt (Jonathan Andre) inheirits a 1966 Mustang from his uncle, things go crazy when he finds a crazy amount of diamonds stashed in the engine. He and his close friend Rob (Le"Dre Turner) end up on a wild ride after a local hustler spills info about the diamonds to the local hoods. Unknowing that the original thieves are on the hunt for them. Starring Tiffany "New York" Pollard of MTV's Flava of Love and I Love New York as the sassy "Kiana"
-2
Comic Shane Mauss wades into the waters of evolutionary theory, with hilarious observations on pregnancy, mating dances, homosexuality and hot wax.
2
Mei, a young woman who was adopted from China as a baby, is dramatically pulled back into the land of her birth. As she embarks on a dangerous mission to save the brother she never knew, she is forced to confront the truth of who she truly is and what family really means.
-2
A reclusive novelist struggles to find romance and meaning in his life despite disastrous and comedic circumstances.
-2
Jiang Zi Ya is a military strategist who was mentored by Yuan Shi Tian Zun, the primeval lord of Heaven and one of the highest deities of Taoism. Shen Gong Bao, Zi Ya’s apprentice, becomes jealous of Zi Ya’s supernatural powers and steals his Seven Color Stone, a magic stone that can repair the hole in Heaven.
1
Go Dok Mi doesn't spend all day dreaming about her knight in shining armor — she’s too busy spying on her neighbors who all happen to be hot, "flower-boy" types, including cartoon artist Oh Jin Rak. But when Enrique Geum, the new pretty boy next door, catches her, Dok Mi is finally forced to face the consequences - without the safety of binoculars and curtains. Will he be able to convince this “urban Rapunzel” to let her hair down? Whether you’re a lover or a fighter, this sensitive man will captivate your sensibilities.
5
Betrayed and on the run, a former North Korean agent tries to seek revenge on the man who killed his wife, find his missing daughter, and uncover the secrets hidden inside the eyeglasses of a dead man.
-3
A group of aging London gangsters go on a vigilante killing spree when one of their number is murdered by a street gang.
-2
Elena and Antonio seem not to be made for each other. They are too different in terms of character, life choices, worldview, and the way they relate to others. They are total opposites. However, they are overwhelmed by a mutual attraction they're trying hard to avoid; but to which they succumb to.
-2
While clasping her favorite Christmas snow globe, a cynical, overworked TV executive rants about how the movies she produces lie, making you think dreams come can come true. Upset, she tries to smash the globe, but instead it bonks her on the head, knocking her out. She wakes up in a perfect snow-covered town like the one in her globe.
-2
Cory Weissman is a college basketball player who suffers a devastating stroke. He perseveres to find new meaning in his life both on, and more importantly, off the court.
-2
The team of "Xiaolin Showdown" return in this seuqel series to hunt down Shen Gon Wu. By their side, a new ally joins them in the fight of good vs. evil.
-1
An imaginative tale chronicling the adventures of a diverse band of crayons as they strive to protect not only their magical multihued homeland but the imagination of children everywhere from a terrifying monster.
2
TEAM HOT WHEELS: ORIGIN OF AWESOME! - Gage, Wyatt, Brandon and Rhett are four kids who are about to discover that life is better in the fast lane. Ride along with Team Hot Wheels as they race to save their town! Stars George Grant & David Lodge.
5
Thomas discovers mysteries of the past and must help a new friend, save a ruined castle and may even find some treasure when Sir Robert Norramby comes to the Island of Sodor.
-1
A journey of three restless young people who junk the society's syllabus for finding love and decide to follow their heart.
-1
James Hunt has never been equalled. Could swashbuckling Hunt catch the scientific Lauda? Could Niki overcome an appalling crash to come back from the dead and fight James all the way to the last race of the season?  This powerful story captures the heart of the 1970s - told through unseen footage and exclusive interviews with the people who were really there - the team managers, families, journalists and friends who were in the front row of the season that changed Formula 1 forever.
-2
Thomas is working at the Clay Pits when a storm closes in and the rain makes the clay cliffs unstable. A flash of lightning reveals what looks like giant footprints on the slope above, but a landslide has begun and Thomas cannot stay to investigate. Bill and Ben push Thomas to safety just in time.  Unable to go back and confirm what he saw, Thomas tells Percy about it, but Percy quickly becomes convinced that there is a monster on the island. He even becomes frightened of taking the mail train at night.  When an unusual engine with sloping boilers first appears, Percy thinks he must be the monster. James teases Percy and tries to scare him even more, but the new engine, who is called Gator, proves to be a good friend and ally, who helps Percy discover what it really means to be brave.
-4
An epic love story: Olanna and Kainene are glamorous twins, living a privileged city life in newly independent 1960s Nigeria. The two women make very different choices of lovers, but rivalry and betrayal must be set aside as their lives are swept up in the turbulence of war.
2
A deliciously romantic coming together of Gulrez “Gullu” Qadir a Hyderabadi shoe-sales girl disillusioned with love because of her encounters with dowry-seeking men; and Tariq “Taru” Haidar a Lucknawi cook who can charm anybody with the aroma and flavours of his biryani and kebabs.
2
Catharine Wright struggles with a debilitating sleep disorder. Her husband Michael struggles to cope when their new born son lay in the wake.
-4
When successful New York marketing executive Katherine discovers her workaholic ways are taking a toll on her eight-year-old son, Zac, she decides to spend Christmas with him and her mother, Lilly in her home town on the bayou. When Caleb tries to rekindle a childhood romance and convince her to move back home, Katherine is torn between the bright lights of the big city and the quiet, gentler rhythms of her Southern roots. Only a Christmas miracle orchestrated by Papa Noel can steer her heart to her true home.
3
In this turbulent jungle adventure an outcast coati male has to team up with a quirky spider monkey to save a coati princess from the hands of a human poacher and his mysterious client.
-3
A female doctor struggling to find her daughter after a long lost World War II biological weapon explodes on a U.S. military base in Bulgaria, turning people into mutant zombies.
-3
John (Arya) and Regina (Nayanthara) are forced into wedlock against their wishes. Both undergo a rough patch initially in their marriage as they are not able to get over their past romances.  Prior to their marriage, Regina was in love with Surya (Jai), while John romanced Keerthana (Nazriya). What leads to the Arya-Nayanthara wedding? How they forget their romantic past and finally come together forms the rest of the story.
2
What is true and what is false in the hideous stories spread about the controversial figure of the Roman emperor Gaius Julius Caesar Augustus Germanicus (12-41), nicknamed Caligula? Professor Mary Beard explains what is accurate and what is mythical in the historical accounts that portray him as an unbalanced despot. Was he a sadistic tyrant, as Roman historians have told, or perhaps the truth about him was manipulated because of political interests?
-4
TV Film adaptation of Victoria Wood's hit musical set in Manchester in 1929 and 1969. When middle aged loners Tubby and Enid attend a reunion of the choir in which they sang as children, the music evokes powerful memories, leading them to realise they still have a chance to find happiness.
2
The inspirational true story of a woman who decides to bake 100 apple cakes and sell them at $40 each in order to save her home – and how this idea completely changes her and her family.
1
Law was a chauffeur for the rural tycoon Luk, and he was jailed for killing a major land owner in a car accident. It was rumored that Luk was behind the land owner’s death, which gave Luk a competitive edge in the native apartment development deal. When Law gets out of prison five years later, the world has changed. Luk’s corporation has grown more powerful, while Luk’s right-hand man Keung has his own agenda to pursue. But things take a surprising turn.  With the help of Law’s prison mate and computer whiz Joe, Law drugs Sean and his brothers in the drinks, then modify their mobile phones for wiretapping,  Joe gets acquainted with the materialistic single mom Eva, who turns out to have a dark history with both Law and Keung. Through the eavesdropping, Law realizes Keung’s ultimate plan, which may change Hong Kong’s land development forever.
-3
Stay-home mom Annie is reluctant to return to work, until she finds Amber, the perfect nanny for her 3-year-old daughter Jenny. But as Annie's young daughter grows closer and closer to Amber, Annie begins to feel like she's being pushed out of her own life. When Jenny suddenly vanishes one day,Annie's search for her missing daughter leads her to the terrifying truth about the dark past of the woman she trusted with her child.
3
Brothers Charlie, Adrian and Michael try to unlearn everything their psychoanalyst parents have taught them about life, as their family unit teeters on the edge of a collapse.
-1
When two best friends go missing during Spring Break, their mothers do everything they can to find them, while realizing that their different parenting styles may have led to the disappearances.
1
Seven strangers wake up on the deserted streets of London with no knowledge of how they got there. Before long someone -or something - is picking them off, one by one....
-1
Marithé works in a training center for adults. Her mission: to help other people to change direction in their work and to find their vocation. Carole, who lives and works in the shadow cast by her husband, Sam, an energetic and talented Michelin-starred chef, arrives in the center one day. It's not so much a change in job that Carole seems to need, as a change in husband. Marithé does everything she can to help Carole set out down a new path. But what are the real motives behind this devotion? After all, Marithé doesn't seem to be impervious to Sam's charms, or to his cooking.
6
After two young elves give Santa and the North Pole food poisoning they must redeem their Naughty List status by finding a way to save Christmas.
0
Shiva and his friends fall for Sowmya, who has just moved into their locality. They are forced into a competition to win over the girl.
0
Wife and mother Tammy Pescatelli, winner of Comedy Central's "Stand-up Showdown," lives the same life that you do -- except that she makes it seem hilarious in this spirited one-hour comedy special.
2
A middle-class corporate couple doesn't worry about money and living expenses until the recession drains their finances.
-3
A practical joke ends up very wrong in Nigina Sayfullaevas curious youth drama. Two seventeen year old Moscow girls, Olya and Sasha, are visiting Olya's long lost father who lives in Crimea, when they decide to switch places and pretend to be the other person to the father. Little do they know that their joke comes with consequenses that will change their lives forever.
-5
Documentary exploring the horrific Carrollton, Kentucky bus crash, which killed 27 people, mostly children, and injured many others. It was the worst drunk-driving related accident in US history.
-4
The whole family is reunited when Sofia comes back for his father's funeral. Quickly, inner problems are revealed.
-1
A mysterious illness declared as dumb flu spreads in a quaint hill station forcing the town's residents from speaking. Will the problems in the place increase due to this or will it lead to better communication?
-1
Samuel Peters (Edward Furlong), once an ordinary man, dabbles in the laws of voodoo to bring his wife back from the grave. He soon encounters the God of malevolence ‘Kalfu’ (Corey Feldman), and makes a pact with him to destroy the underworld and bring chaos to earth. In return, he will become ‘The Zombie King’ and walk the earth for eternity with his late wife. But, as the ever growing horde of zombies begins to completely wipe out a countryside town, the Government set-up a perimeter around the town and employ a shoot-on-sight policy. Trapped within the town, the locals, an unlikely bunch of misfits, must fight for their lives and unite in order to survive. Can our heroes unravel the clues in time and survive or will The Zombie King and his horde of zombies rise on the night of the dark moon?
-14
A match made in stoner heaven turns into a love triangle gone awry when Lyle can't decide which matters most, Nina or Mary Jane.
2
Adapted from a stage play by Christopher Shinn, the debut feature from Joshua Sanchez is a provocative rumination on race and sexuality set on a sweltering 4th of July evening.
-1
In 1983, Oliver Nicholas, at thirteen, is well-poised to enter the precocious teenage world of first-sex, vodka and possible-love in New York City when he is traumatized by the stroke of his housekeeper (and only true maternal figure), a sixty-five-year-old Chilean woman named Aida. What was supposed to be an exhilarating and somewhat fearful rite of passage - diving into the exciting, fast-paced world of first experiences - quickly becomes skewed by an incomprehensible depression, and a house of interior horrors. Surrounded by women - his untraditional, Spanish, photographer mother (more interested in the role of confidante than mother) his sister, a comedic, door-slamming tormentor, marked by her parent's divorce; and Aida, his silver-haired emotional focal point on the verge of death in Lenox Hill Hospital - Oliver struggles to maintain his role as "man of the house" and his sanity.
-3
Four-time Emmy winner John Kastner was granted unprecedented access to the Brockville facility for 18 months, allowing 46 patients and 75 staff to share their experiences with stunning frankness. The result is two remarkable documentaries: the first, NCR: Not Criminally Responsible, premiered at Hot Docs in the spring of 2013 and follows the story of a violent patient released into the community. The second film, Out of Mind, Out of Sight, returns to the Brockville Mental Health Centre to profile four patients, two men and two women, as they struggle to gain control over their lives so they can return to a society that often fears and demonizes them.
4
Danny and his ex, Pip, enlist the help of a jaded private investigator to stop a crime spree sending shock waves through a Hollywood community.
-3
A rags to riches story of unusual circumstance. 'Huong Ga - Rise' is the story of Dieu. Chronicling the highs and lows of Vietnam's most notorious female gangsters| this is a woman's journey as she breaks the glass ceiling in a man's word| albeit| a much darker and dangerous existence. Shaded by the influence and lessons of the men in her life: Nhan her childhood sweetheart| her great unrequited love; Hung fifty shades of empty but a great physical attraction; Tung the man of her dreams| husband| lover and friend; and Tan - the gentle man who promises a simpler life. Each of the men in her life contribute to Dieu's great success (and failures) as she climbs to the top of Vietnam's gangster underworld.
4
A young, gifted soccer player who gets into trouble for a petty crime is brought to the attention of former Manchester United coach Matt Busby, who comes out of retirement to help the boy and his teammates.
-2
Ian Folivor, a depressed and reclusive 30-something, finds himself taking advice from a growth in his bathroom after a failed suicide attempt. The Mold, a smooth talking fungus who was born of the filth collecting in a corner of Ian's neglected bathroom, works to win Ian's trust by helping him clean himself up and remodel his lifestyle. With The Mold's help, Ian attracts the attention of a neighbor he's been ogling through his peephole, Leah, and he manages to find a slice of happiness despite his unnatural circumstances. But Ian starts to receive strange messages from his old and broken down TV set that make him realize that The Mold may not be as helpful as it seems to be, and strange characters combined with stranger events cast Ian's life in the shadow of an epic battle between good and evil that Ian is only partially aware of.
-2
The Eastern Front, 1943. Two Soviet pilots, straight out of training, join a veteran fighter squadron on the front line.
0
A documentary that follows three pioneers -- Charlie Cartwright, Jack Rudy and Freddy Negrete -- revolutionized the world of tattooing.
1
The two best disciples of Sivadas Swamigal, the earnest owner of a Drama school, are by design pitted against each other by the guru himself and this create multiple calamities ending in the duo's separation. Years pass by as one finds a good holding and the other wobbles away as a drunk loser only for them to cross paths again when the ongoing Indian Independence Movement gives another chance for the tables to turn!
-1
The second film of Frank Capra's Why We Fight propaganda film series. It introduces Germany as a nation whose aggressive ambitions began in 1863 with Otto von Bismarck and the Nazis as its latest incarnation.
-2
"SNL" alum Rob Schneider takes to the stage (as himself) to examine the bizarre nature of fame, the woes of aging and the virtue of sweatpants. Known for his off-the-wall characters, Schneider opens up about his own life, which can be equally zany.
0
FrackNation is a feature documentary that aims to address what the filmmakers say is misinformation about the process of hydraulic fracturing, commonly called fracking.
0
Shakthi, a trekking guide, goes to Bangkok after he receives a patch-up invitation from his lover Roopa, who had broken up with him. En route, he strikes up a friendship Maya. When Roopa doesn’t arrive for the rendezvous, Shakthi decides to return to India but gets embroiled in a mystery where he is taken for a millionaire businessman. Pretty soon, even Shakthi starts doubting his own identity. Can he get out of this conundrum?
-2
Kellie Martin plays an accountant who submits a reply to a "dear viola" letter to the editor that she works for, as an accountant. She has a real knack for writing to people and getting to the heart of the matter, and soon the whole town is involved in the romantics.
2
Baltimore City officials asked drug kingpin Melvin Williams to stop the riots happened following Martin Luther King's assassination. After helping the authorities out, Williams was then labeled a threat, framed and incarcerated by a hypocritical society.
-1
As one of the world's best restaurants opens for its final evening, a couple in the midst of a divorce who made their reservation a year ago (before separating) reunite for a once-in-lifetime meal.
1
Set in a village in Tamil Nadu called Silukkuvarpatti, VVS talks about the love between Bose Pandi  and Latha Pandi. While Bose is a carefree but spirited young man who doubles up as the leader of a local ‘Sangam’, Latha is the daughter of the village’s head honcho, Sivanandi. Sivanandi and Bose don’t exactly see eye to eye and added to this, Sivanandi is dead against his three daughters falling in love as he sees it as an insult to his status and standing in the village. A superhit hilarious comedy entertainer.
2
When Santa Claus loses his magical powers and becomes stranded in their barn, two children from a small farming community help him save Christmas before it's too late.
0
The normal worries of a struggling small town farmer are blown away when the world is suddenly overrun by undead monsters. How can a good man protect and provide for his family in a hostile world without becoming a monster himself?
-4
With a manic wit that transcends race and religion, sharp-tongued comedian Elon Gold explores the ridiculous things people manage to get away with.
-1
Wise guy Myq Kaplan is Small Dork and Handsome. The might of Myq's manic comedy machine is sure to stupefy and amuse in this hour long tour de force.
2
Funny guy Christian Finnegan gabs in his disarmingly honest manner about everything from America's role in the world to his own sexual humiliations.
-1
Set in post hurricane New Orleans. A brutal Mexican drug lord (Armando LeDuc) busts out of jail to retrieve the $15 million that his girlfriend is hiding.  But detective Raymond (Kris Kristofferson) and McCoy (Sheldon Robbins) will try their best to put him back to where he belongs.
-1
Professor of physics Jim Al-Khalili investigates the most accurate and yet perplexing scientific theory ever - quantum physics.
0
In June of 2012,  LeBron James, Dwyane Wade, Chris Bosh and the Miami Heat made good on a promise to deliver a championship to the basketball fans of South Florida.  It seemed unlikely that they would ever be able to match the drama and the intensity of that title run in an encore performance. But this was no ordinary basketball team.  From the opening night of the 2012-13 NBA season, the Heat were determined to prove that not only were they up for the daunting challenge to repeat as champs but they were also destined to become one of the most successful and celebrated teams in history. No one could have anticipated the breathtaking 27 game winning streak that would catapult the Miami Heat into one of the biggest stories of the year. And after sweeping the Milwaukee Bucks, dispatching the Chicago Bulls and outlasting the Indiana Pacers, Miami would take home their second consecutive title after an epic seven game series with the San Antonio Spurs.
6
Live-wire comedian Arnez J. totes his talent for impressions to the stage of Boston's Wilbur Theater for this one-hour comedy special that pokes fun -- lots of fun -- at racial stereotypes.
2
Twenty-something Sameer is a brat who thinks he can get away with anything. When he lands a lucky date with 'Chandigarh Ki Shakira', Jasleen, he decides to sneak out his Dad's brand new Maruti without a second thought. After a mad night at a pub, a fun drive around the famous Gehri route and one peck on the cheek, Sameer ends up losing the car. The car was meant to be a gift for his sister on her wedding and is probably the only thing his stingy dad, Tej Khullar ever spent money on. With only three days to find it, he must ensure his dad doesn't get a whiff of what he has done. Else, he will be turned into butter chicken. Sameer's life will be turned upside down as he comes face-to-face with some insane characters like a Bhai from chor bazaar, an old man with a rifle pointed at his nose and of course, the Chandigarh cops.
-2
Shruthi, an enterprising 20-year-old girl, partners with Sakthi, a happy-go-lucky youngster to set up her dream business — wedding planning. They decide to not mix finance and romance but a night's revelry changes their equation and they part ways. Will they be able to admit their actual feelings?
1
A middle-aged married man narrates the mistakes of his past to a driver while travelling to Chennai on account of an emergency.
-2
Danny and Phil O'Donnell are chronically underachieving cousins, who are forced to run the family pub, in order to save their crazy Uncle Pete from jail and financial destitution. The boys instigate a number of hilarious schemes, from turning the pub into a strip club to a high school speakeasy, just to keep it afloat.
-2
Gautham promises his grandfather that he will reunite him with his estranged daughter, Sunanda. Posing as a driver, Gautham enters Sunanda's house but trouble soon follows.
-1
Nine vacationing twenty-somethings are hunted by an axe-wielding local legend.
0
Duniyadari (Marathi: दुनियादारी) is a 2013 Marathi movie directed by Sanjay Jadhav. This movie is about journey of every individual which eventually makes one realize the true face of life. It has been acclaimed by Marathi audience. Critical reception of the film is positive.
1
Alice Hardy has the "perfect" life. The "perfect" friends and the "perfect" husband. But, everything "perfect" starts to unravel when mysterious neighbors move in right next door.
4
Udhayam NH4 is a 2013 Tamil romantic thriller film directed by debutant Manimaran, a former associate of Vetrimaaran. The film features Siddharth and newcomer Ashrita Shetty in the lead roles. Vetrimaaran has written the script, done the screenplay, and also penned the dialogues for this film. The story takes place in Bengaluru, Karnataka.
2
The housing market becomes a killer for a bevvy of female buyers who unwittingly make the grave mistake of hiring a psychopathic real estate agent.
-2
A fearless ICE Agent must plunge deep undercover into a criminal syndicate filled with ruthless felons. His main mission is to stop the human trafficking of young women and will stop at nothing to bring those responsible to justice.
-2
Gowtam is a guard employed by a security agency. One rainy night, he finds out that his grandfather has a treasure stashed away in Pakistan which was his place before partition happened. Srinidhi is a staunch devotee and her goal is to visit a Hindu temple which is located in Hinglaj, Pakistan. Gowtam’s treasure is located in and around that temple. Gowtam joins Srinidhi’s journey to Pakistan temple where they have a security guy (Ali) helping them. Meanwhile, Sultan takes over the Pakistan’s archeology department’s team that is searching for treasure in the same area. The rest of the story is all about how Gowtam manages to get hold of diamonds which rightfully belongs to him.
6
When the Fasteners inherit an old family vacation home, they soon realize it's being haunted by their ancestors' famous movie star dog, Sophie. Homer, the Fastener's golden retriever, befriends Sophie and discovers that she is just looking for a family to love. Now it's up to Homer and the Fastener kids to convince their parents that Sophie really exists and keep them from selling the house and leaving Sophie alone forever. Will Sophie finally have a family again? Find out in this hilarious tail-wagging adventure featuring lessons about acceptance, cooperation and honesty.
5
A young man is held captive by a deranged surgeon and faced with the choice which can alter his life and the life of his loved ones forever.
1
Animated series about Wendy, a fifteen year-old, who lives on a riding school and stud farm.
0
After the tragic death of his wife, Ray, a veteran security specialist, must protect the daughter of a businessman who embezzled millions from a crime boss in Los Angeles. Uncovering much more than he bargained for, Ray takes matters into his own...
-2
An estranged couple's vacation to save their troubled relationship goes awry when they find themselves under attack from the walking dead
-4
Watch the terror unfold as paranormal investigators find themselves face to face with the restless spirits that inhabit the historic Temple Theatre of Saginaw, Michigan. Witness the hair-raising journey as the film crew explores hidden tunnels, captures shocking evidence and validates claims that the old theatre is indeed haunted. In the heart of downtown Saginaw exists a virtual time capsule filled with history, emotion and long kept secrets. The Temple Theatre (built nearly a century ago) is currently known for its prestige and glamour. However its history hasn't always basked in the limelight.
-2
Religion, politics and gay pride clash in a small Tennessee town when out, proud and living in New York Jason Potts returns home to make life better for the LGBT teenagers.
2
This fascinating Documentary gives you a real insight into the life and the career of one of the greatest figures in popular music. Madonna deservedly has won the accolade of Goddess of Pop.
6
A housewife's, Tiffany, world is turned upside down by a stranger who breaks into her apartment and tells her that he abducted her husband of eight years while he was on a business trip in Hong Kong. Adding to the bizarreness of the situation, the kidnapper, who says his name is tells Tiffany that he doesn’t want any ransom money. Instead, to secure her husband’s freedom, she will have to take on the role of his wife for a week.
0
Two friends turn bitter foes after a fall out and their enmity is exploited by a man who has scores to settle.
-4
Fireman Sam and his team are on a mission to save Pontypandy! When a hurricane threatens the town, emergencies pop up everywhere... from saving the Wildmen of Pontypandy to rescuing a group from the flooding mines to protecting their new fire station. With new recruits, a new station, and a new vehicle, these ultimate heroes are always ready to save the day!
1
How do you build a medieval castle from scratch? Domestic historian Ruth Goodman and archeologists Peter Ginn and Tom Pinfold make perhaps their most ambitious foray into the past as they head to France to take part in a build that has been underway since 1997. Our intrepid history adventurers join this magnificent construction at Guédelon Castle to recreate authentic medieval castle living from within its rising walls.
2
Visually-challenged Tamizh and Suthanthirakodi fall in love with each other, but her self-centred brother wants to marry her off to his friend, which leads to the lovers' separation. Can their love help them find each other?
3
A group of women take on a major crime lord on the streets of Los Angeles in the lawless "Calles de Infierno" district in a bid to take over his business and rule the city. But they'll first have to deal with a revenge-seeking vigilante looking to clean up the streets. The gangs, the cops and the vigilante clash in an explosive battle of cars, guns, double and triple-crosses on the streets of LA.
-3
It isn't easy to find a dream to chase when you're young, but Mugiko has one: she can't wait to become an anime voice actress. Saving up for classes while she works part time in a manga store, she lives with her older, gambler brother after her father's death. When the mother she never knew turns up out of nowhere and moves in, it only causes irritation for the aspiring otaku. But when her mother just as quickly disappears, it leaves Mugiko (or "Sweet Pea") searching for answers, bringing her back to her mother's hometown to discover what happened to her mother's own dream.
1
From the director of RFK Must Die, Killing Oswald explores the mystery of how and why John F. Kennedy and Lee Harvey Oswald were assassinated in 1963, tracing Oswald's strange transformation from US Marine radar operator in Japan, monitoring U2 spy planes over Russia; to 20-year-old Marxist defector, decamping to Moscow threatening to share military secrets with the KGB; to pro-Castro activist in New Orleans and self-proclaimed patsy in Dallas.
-5
Old Goats is a gentle comedy about the indignities of aging. Meeting at a weekly coffee klatch for the local over-70 set (no girls allowed!), three "old goats" from different social strata develop an unlikely friendship. One's a married, golf-playing, sports-car-driving businessman recently forced into retirement. Another is a salty octogenarian World War II vet and (still) devoted womanizer. The third is a shy bachelor car mechanic, just fired, who lives on a squalid sailboat . Theirs is the common tragedy of losing one's vocation, one's purpose in life. There's talk of sailing adventures, online dating, and a condo in Palm Springs, but these three live in common terror of the question, "What's next for you?" They know damn well what's next! And they're determined to avoid it for as long as possible.
-5
Transferring the setting of a brooding Hungarian play, Carousel, to a remote fishing village, shaping their vision around themes of brutality, poverty and disappointment, Rodgers and Hammerstein composed some of the most glorious music ever written for the stage.
-2
Matt, with the assistance of his new friend Riley, is moving out to Los Angeles California to fulfill his dream of making movies. Everything is off to a good start! That is until Matt's childhood best friend Chaps decides to crash the road trip and invite himself along. When old friends don't mix well with new friends, jealousy enters the picture. And if that wasn't enough to put a damper on the road trip, a menacing hitchhiker turns their world upside down leading to a maddening chase that spins wildly out of control.
-1
A poetic, tender road movie, A Secret World follows tormented teenager Maria as she makes her way through Mexico seeking her place in life. The film focuses on the pleasant beauty of the landscape and the eccentric, endearing personality of Maria as she comes into her own. Gorgeously filmed, this lyrical coming-of-age story doubles as a wistful hymn to a young woman’s self-discovery.
5
Gina Yashere takes the stage to perform her unapologetically hilarious stand-up comedy routine.
1
Amar works as a private detective and tries to make his overbearing wife happy. He becomes involved in a police investigation and has an affair with his client's paramour.
1
Marriage Boot Camp: Bridezillas is an American reality television series that debuted on May 31, 2013. It is a spinoff of Bridezillas that centers on five couples from previous seasons as they move into one house together in order to save their marital bonds.
0
Documenting the true life story of Jake Korell, a 98 year old German born Russian immigrant American trapper, depicting a way of life that may be gone forever but which holds many life lessons in the struggle for survival that are still relevant today.
0
Comedy King Allari Naresh has teamed up with Sharmila Mandre and director Devi Prasad for the comedy film ‘Kevvu Keka’. Boppana Chandrasekhar is the producer. The movie has released today, so let us see of if it is going to entertain as promised.  Story :  Buchi Raju (Allari Naresh) is a salesman in Kalanikethan Mall. He lives with his uncle Abrakadabra Appa Rao (Krishna Bhagawan), who is a magician. Buchi Raju happens to come across Maha Lakshmi (Sharmila Mandre) one fine day and falls in love with her. Maha Lakshmi also responds to Buchi Babu and they fall in love.  Maha Lakshmi’s father Subba Rao (M.S.Narayana) does not approve of this alliance as Buchi Raju is not a rich guy. To win Maha Lakshmi’s hand, Buchi Raju promises to earn a lot of money within 6 months and leaves.  What happens next? Will Buchi Raju succeed in his efforts? That forms the story of this film.
8
Do you believe in love at first sight in the modern world of crazy speeds and endless SMS? People find each other in social networks. What can shake their life? A smiley and offer to meet . Three love stories with an unpredictable ending.
0
Five people get murdered in Malaysia and the cop who investigates the crime finds out that they have a common Facebook friend — Asha Black. Meanwhile, a young man from India comes to the country to meet Asha, after she befriends him on Facebook.
-1
Historian Thomas Penn reveals the secrets of founder of Britain’s great Tudor Dynasty - and his amazing trajectory to power.  Two weeks after landing on the shores Wales in 1485 with a small band of mercenaries, Henry of Richmond defeats the notorious Richard III at the Battle of Bosworth. He is crowned Henry VII and then begins a career of realpolitik, a charming exterior making a savage ambition. The War of the Roses, his wife Elizabeth of York, and the beginning of the Renaissance are all part of this incredible history, as are Henry’s obsessions with money and astonishing spy network.
6
From PBS - Italy's Mystery Mountains explores the fascinating geologic story of Italy, the land known for its fabulous art, fantastic food, opera, the dolce vita, and so much more. What's less known about Italy is the diversity and turbulence of the geology behind all of this abundance: the continuously erupting volcanoes, the violent earthquakes, the clash of mighty tectonic plates, and the rising of the mountains from which Michelangelo sourced his famous marbles.
3
BRUTAL centers on Trevor (Morgan Benoit), abducted from his backyard at the age of fifteen by an unseen alien presence. Forced into nearly two decades of no-holds-barred fights against other abductees inside an unearthly mixed martial arts arena, Trevor has evolved from an innocent boy into a brutal fighting machine. Derek, (Jeff Hatch) an ambulance chasing lawyer, is the latest lab-rat abductee forced to fight Trevor. As the two men exchange ever-increasing beating over the course of weeks and months, the brutality of their existence and the true nature of their humanity is slowly revealed. With elements of THE TWILIGHT ZONE and THE PRISONER, BRUTAL explores through science fiction, allegory and psychological drama, man’s violent nature and our propensity to commit unthinkable acts of violence against each other. Yet through this prism of brutality our capacity to love one another, even in the worst of circumstances is celebrated.
-9
Four nobodies brought together by a quirk of fate decide to rob the house of a rich man. But things turn crazy when they arrive at his doorstep and find that the man is actually bankrupt.
-1
An all-star cast heads up this intimate film about how author, P.G.Wodehouse, came to face a charge of treason during the Second World War and how this quintessential Englishman, creator of Jeeves and Wooster, became an exile from his own country and never set foot on English soil again.
-1
A fun movie with a social outlook. Directed by Utsav Mukherjee Cast- Roopa Ganguly, Silajit, Saheb Bhattacharya, Mumtaz Sorcar, Ridhima Ghosh, Sudipta Chakraborty, Paran Banerjee, Kharaj Mukherjee, Shankar Chakraborty, Biswajit Chakraborty.
1
In 2005, Mitch Mustain was the top high school quarterback in America; the first ever consensus Gatorade, Parade, and USA Today Player of the Year. He began his college career with eight consecutive victories. Then, momentum stopped.
2
Jimmy Hoffa was one of the most powerful men in America. In 1974 he disappeared, never been seen again: one of the greatest mysteries of the 20th century.
1
With help from his guitars, comedian Nick Thune regales the audience of Brooklyn's Bell Theatre with a collection of hilarious stories about his childhood, his past romantic relationships and his experience with a burning building.
1
First comes love. Then comes...something. "The Next Steps" follows the relationship of the unmarried couple of Chris and Beth as they face the ups and downs of a long term relationship, stuck in a rut.
-1
Geeky school kid Andy dreams of being a great inventor, but he’s having trouble coming up with a “big idea” that will win the Science Fair and beat scheming twins April and May.  Even worse his Dad is pressuring him into joining the football team, that he just happens to coach and his big brother just happens to be the star of. Andy decides to ask the town’s resident scientist, Dr. Frankenstein, for advice, but on a visit to his creepy mansion instead he meets a green football-loving teenage monster named Frank, who wishes he could join in the way Andy can.  Excitedly Andy realizes that he and Frank may just be able to solve each other’s troubles by switching places, and his plan goes smoothly until suddenly they’ve got a monster problem on their hands that threatens the entire town.
-1
Three man act Plastic Cup Boyz, Joey Wells, Will "Spank" Horton and Na'im Lynn, taped their debut special at The House of Blues in San Diego. In front of a live audience, the trio covers topics including reality television, women's eyebrows, and looking like a cat clock.
1
When Shawn Dickerson is accused of killing Brenda Sawyer, an overzealous Assistant D.A. named Ballard is willing to do whatever she has to do to become District Attorney, even if it means bending the rules.
-1
Description: The story of 26 year old Brandi Seaton. She is attractive, smart and single. After breaking off her engagement the day before her wedding, she decides to test the waters of the singles dating scene. How and where to begin is the problem. Brandi's roommate, Anita introduces her to a telephone "partyline" where she meets a handsome, professional named Alex. After one meeting both Brandi and Alex's lives change as their friendly conversations grow into obsessions and culminate in a tragic encounter.
2
A former straight-edge musician tries to reconnect with a former love interest, a groupie for the band he broke up.
0
Satish, a newly appointed medical representative, who is basically a family man, living with his brother an auto-rickshaw driver. Sathish is always embarrassed about his mobile phone, and much to his delight picks up a phone which is left carelessly by its owner at a tea shop. The mobile phone gets him into trouble and his carefree life with girlfriend Naveena turns upside down.
1
Comedy Central Special Released 18th of August 2013.  Life On The Stage finds Greg back in his hometown of Tarrytown, NY to give a cutting standup set of twisted life advice. Nothing is off-limits in his advice for getting older, and stories of his life on and off stage.
-1
When a small town foul-mouthed drunk with an artistic gift for thievery is entrusted with his young niece for the summer, the question is not if he is ready for the task at hand-- but is she?
0
An examination of how President Abraham Lincoln used contemporary telecommunications to his maximum advantage in the American Civil War.
1
Sampath is an expert in car, seizing, and works for Atul Kulkarni, who is a financier in North Madras. Burma aka Parandhaman works under Sampath for peanuts and the moment he comes to know the true colors of his boss; he makes his crooked intelligence to show the jail for Sampath and eventually gains the trust from Atul after creating his own brand for siezing cars. Sampath comes back from the jail and secretly plans the downfall of Burma.  Burma gets an opportunity to seize 28 cars and he has completed 99% of his job without any fuss only to get stuck on the last car. What happens to Burma and to the rest of lead characters forms the rest of the story with parallel stories layered like a double decker sandwich.
3
Tuhya Dharma Koncha? (Whats Your Religion?) is a story of a tribal family caught between various social and religious groups claiming their land and their livelihood. The film also portrays faith and the conditions of a tribal family on the backdrop of religious conversions.
1
A share auto-driver gets entangled in a plot where 3 criminals want him dead.
-3
Three boys, who are spending their summer vacation together, witness a crime and decide to bring the guilty to book.
-2
In a Crimean filtration camp, after the evacuation of the White Army, an unnamed captain is haunted by memories of a brief romance as he tries to understand how the Russian Empire fell apart and who is to blame.
-2
Two worlds collide when a successful Haitian American attorney marries the love of his life only to have his past haunt him when the father of a former fling, a powerful Voodoo Priest, exacts revenge for his scorned daughter.
1
The hero and three of his friends devise a plan to get rich quick by looting a bureau. While in the process of implementing this plan they come across a lovely young woman. The hero falls in love with her and their romance spirals into a chaotic and hilarious sequence of events!
4
After many years spent in jail, Sandra is finally free and is going back to Chamonix, where she was born, to meet her dad for the first time. But their reunion turns out to be quite complicated as they found themselves to have completely opposite personalities.On top of that, the villagers do not appreciate much the presence of a former prisoner in their town
1
From double BAFTA nominated Writer and Director John Walsh. Monarch is part fact, part fiction and unfolds around one night when the injured ruler arrives at a manor house closed for the season.
-1
An affair that begins one rainy evening on a lonely Calcutta street. And ends on yet another rainy evening in the Andaman Islands. A journey dotted by love, jealousy and destiny, it is loosely inspired by the works of William Shakespeare.
1
A young woman abruptly moves into an elderly lady's house. Strange things start to happen and soon it becomes clear witchcraft is involved.
-1
Clay Foster is face to face with a griping situation. His wife is dead and he cannot accept it. He is in denial. The story starts in the midst of a tangled murder mystery. Clay's wife was brutally murdered. How was she killed? Who killed her? The audience is forced to see the world as Clay does, through the eyes of a man traveling through the horrible stages of grieving; denial, anger, and finally acceptance, trying to solve the mystery of his murdered wife. As death comes upon all men, so does the Syphon. In clays diminutive state, his sanity brings him to rest very close at the veil between life and death. He is attune to the fragments and properties that join the two worlds, and being in such a state he is privy to witness and communicate with the beings that walk between them.
-14
The Who's seminal double album 'Tommy', released in 1969, is a milestone in rock history. It revitalized the band's career and established Pete Townshend as a composer and Roger Daltrey as one of rock's foremost frontmen. The first album to be overtly billed as a 'rock opera', 'Tommy' has gone on to sell over 20 million copies around the world and has been reimagined as both a film by Ken Russell in the mid-seventies and a touring stage production in the early nineties. This new film explores the background, creation and impact of 'Tommy' through new interviews with Pete Townshend and Roger Daltrey, archive interviews with the late John Entwistle, and contributions from engineer Bob Pridden, artwork creator Mike McInnerney plus others involved in the creation of the album and journalists who assess the album s historic and cultural impact.
2
Nerungi Vaa Muthamidathe is a road film that revolves around a trip from Trichy to Karaikal shot in the backdrop of a petrol crisis.
-1
Narba, a simple man lives in his wadi in Konkan - a grove that is rich with coconut trees and also has banana, supari and betel nut plantations. A gift from his ancestors, Narba nurtures this grove with love. One day a greedy landlord Rangarao eyes it and wants the wadi at any cost. Will he succeed?
2
A hilarious comedy about a Bengali patriarch Banku Babu who dominates his entire household in completely averse to changes until he meets with an accident which results in about of amnesia.  When a local promoter demands his ancestral house, Banku Babu denies and gets injured in a squabble, starting to behave strangely, sometimes like his matinee idol Rajesh Khanna.
1
Haunted by terrible waking nightmares, Joan must face more than just her own fears as she is stalked by a murderous sociopath, haunted by one of his victims, and terrorized by The Beast, a relentless and horrifying spirit of vengeance which never sleeps.
-7
Siddhu (Sudheer), a naughty easy going guy falls in love with Indu (Asmita Sood). But Indu is the sister of Cherry (Ranadheer) who keeps on protecting his sister from others’ eyes. But on the other hand Cherry he loves Anjali (Poonam Kaur), the sister-in-law of a dangerous man Bujji aka Shankar (Ajay). How things move among these people, how Siddhu plays with Shankar forms the main story.
0
Vazgen "Vaz", a Mobster turned businessman, is pulled back into his past life, when his eldest son is accused of killing a Russian gangster. Now he must find a way to save his family and all that he's built.
-3
A sensible film portraying a mute girl Machi, who is expressing her feelings with her own captivating dancing. She lives an ordinary life, but can find beauty in things, that people in her surroundings cannot always understand. It is a story of an unusual friendship between simple Machi and her loyal friend, who is always there for her. Situated in an industrial part of Japanese harbour, life of Machi changes, after a mysterious man appears.
2
What will the world look like in 2050? Where will advancements in science, technology, engineering, and math lead us? Host Chuck Pell takes viewers on a mind bending journey in search of these answers.
2
A movie directed by Walter V. Marshall
0
Aaryananda (Srinivasan) and Suryananda (Vishnupriyan), who aspire to enter the film industry, put a pair of smugglers behind bars. Surya is approached by the rich Chandralekha (Kovai Sarala) to spy on her flirtatious husband Kamalasekaran (Gangai Amaren). Meanwhile, the smugglers' boss plans to kidnap Aarya's girlfriend to teach the duo a lesson.
2
Ripped through space and time, four teenagers emerge in a new world where everything can transform and shape shift. The unlikely heroes use their powers to stop an evil army of shape shifting robots from destroying two worlds.
-2
In 1861, at the outbreak of the American Civil War, a teenager from New Orleans headed to the front lines. Under the alias Harry T. Buford, he fought at First Bull Run, was wounded at Shiloh, and served as a Confederate spy. But Buford harbored a secret-he was really Loreta Velazquez, a Cuban immigrant from New Orleans. By 1863, Velazquez was spying for the Union. She scandalized America when she revealed her story in her 1876 memoir, The Woman in Battle. Attacked not only for her criticism of war, but her sexuality and social rule-breaking, Velazquez was dismissed as a hoax for 150 years. But evidence confirms she existed, one of over 1,000 women soldiers who served in the Civil War. What made her so dangerous she was erased from history?
-5
Based on Samaresh's popular Gogol fiction Mahish Mardini Uddhar and Rai Raja Uddhar, the film unfolds with a 'sabeki' puja in a Bengal village, where all members of the once-royal household assemble during that time of year and Gogol will take us back to the time when joint households were in vogue. Gogol is in a way the younger version of Feluda who is gadget savvy, knows mob applications, has contemporary tastes and upbringing but still loves to be in a joint family and calls its members 'pisi-na kaka-didibhai-chhotomama etc. He never uses a tab but sharpens his 'magojastro'.
2
A lonely limousine driver named Victor lives an isolated existence until one evening he is forced to defend a client, Raquel; from being sexually assaulted by her prom date, Preston. A simple act of compassion that sets off a series of events destined to bring back a past for Victor he has fought desperately to get away from. A road trip journey through the city of Angels that reminds us that it only takes one night to change our lives forever.
-1
In the final days of WWII, American troops find a vast hoard of mysterious nazi files hidden in a cave in Southern Germany
-3
From the creators of the original Truck Tunes come ten more songs about ten more super cool trucks! These new music videos, featuring actual live footage of your favorite trucks, are certain to have you laughing, dancing and singing along with all the fun. Songs include, Dump It Dump Truck, Clean Up Like a Vacuum Truck, Call Him a Monster Truck, Cement Mixer (Round and Round) and many more! Kids of all ages will love these videos. There's no better way to learn about awesome trucks than with Truck Tunes.
6
In today's urban Indian lifestyle where more relationships seem idealistic and flawless, an archaeologist encounters his look alike and the disturbing past of the look alike's aging mother in rural Maharashtra. But was his father responsible for the plight of this old woman. The film is an emotional story of a romance failed by a cruel twist of fate, a confrontation of shattered family values and rebuilding of human bonds.
-5
The film deals with the personal crisis of two different women from two different backgrounds who battle it out and they lend each other's shoulder to cry on. They also are able to come out of their 'cages' at the end.
-2
Rick Stein sets out on a journey around India to discover the different cuisines celebrated the world over.
1
Johnny Star's fans have always adored him and know full well why he's the undisputed "King of White Soul." Johnny was adopted by an African-American family and raised with love by Mamma Starr, a non-nonsense black woman with the iron fist and a heart of gold. Johnny had a gigantic recording career, a stack of gold records and a touring bus that was infamous for.. .well, everything. Johnny's career has slowed down somewhat and he has the time to travel to Las Vegas with Mamma and his wisecracking sister Brenda to hear the reading of his birth father's will. It turns out Johnny's father has left him his church. The church was a front for gambling and tax breaks and Johnny has no intention of trading in his guitar and snakeskin pants for a robe and pulpit. But Mamma convinces Johnny that his tour bus has been on the road long enough. Maybe this is a place he needs to stay a while. Johnny's going to give preaching the word of God a try. If anyone knows about evil and temptation it would be a veteran rock star like Johnny. It might do Johnny some good. It ought to do Tiny, Johnny's stepbrother, fresh out of prison, a lot of good. And it might be nice to give up the road for a while and stay with his family in a new place - a place where everyone knows Johnny as "The Rev."
5
Standup special recorded in Brooklyn.
0
Gold miner Roger Hazard brings his twelve year old son Casper to the treacherous gold fields of 1870s California. The two of them work a small mine in the southern fields but when Roger begins to lose touch with reality young Casper ends up on his own. Casper faces danger around every corner but must find the strength to save his father from himself and still manage to fight off the savage Indians and ruthless bushwhackers that plague them across California's breathtaking Sierra Nevadas.
-3
SITTING ON THE EDGE OF MARLENE is a darkly comedic feature film drama that centers on a mother-daughter con artist duo. An adaptation of the Billie Livingston novella titled The Trouble With Marlene, it is a bittersweet and emotional journey that deals with dysfunction, love and addiction and ends with an unusual deliverance for the compelling mother and daughter duo.
-1
The movie revolves around two common boys who travel from India to Thailand for success and money. How they cheat dons in Thailand and rob. The movie is a fast paced thriller showing the fun filled bromance between Rambo and Ranjha. It will surely take you on a thrill ride full of fun and joy.
5
While Harris and his Mother enjoy bonding at the movies, it seems the jerks in the theaters are making it harder for them to enjoy the show. Soon someone starts murdering those disrupting the film, and now Harris finds himself not only confronting his past, but questioning his own sanity as well.
2
Animation telling of the adventures of Mouse, Mole, Rat and Owl. Before giving a Twelfth Night party, Mouse makes a snowmole for Mole. In a dream, Snowmole takes him to a land where his every wish is granted. But dreams can become nightmares and wishes can sometimes backfire!
-1
A team of cops is sent to the forest to capture/kill a police officer who has gone rogue. In a parallel track, a young woman seeks the help of a debauched car driver to take her to the forest. What happens in the forest and how are these two plots connected?
-2
Sakthi and Joseph, two college students, fall in love with girls from a family, which kills people to save their honour. Obviously, things are not going to end well.
0
A filmmaker tracing the steps of Swedish explorer Erland Nordeskiold travels with a Guarani Indian from the highlands of La Paz to the swamps in the forests of South Eastern Bolivia, a place where uncontacted indigenous still exist. Philosophical Road Movie into the heart of Guarani culture of Bolivia translates ancient knowledge and explores the importance of the other in the construction of our identity.
0
After an archaeologist and his students excavate a Templar Knight's tomb, they are thrown into the middle of an ancient blood feud. They must either follow the Templar's ancient path or face destruction at the hands of a dark league of assassin.
-3
Vaanu (Kreshna) and Vallu (Ma Ka Pa Anand) belong to a wealthy family and lead a happy life. They are jobless and roam around their town doing mischievous acts. They behave as arch rivals, who really care for each other. What happens when Vaanu falls in love with Anjali (Monal Gajjar) forms the crux of the story.
0
From PBS and NATURE - From the wilds of Costa Rica to the suburbs of our own country, parrot owners, rescuers, breeders, and biologists involved in conservation programs share their stories and the stories of their parrots in this bittersweet and unforgettable film about the difficulties and consequences of keeping and caring for parrots as pets.
-1
A lonely wife takes in a young female boarder named Sarah. Her husband returns, and he can't keep himself away from the alluring Sarah, and the exotic mysteries hidden in her room. Made in Scotland in just five days for six grand, "Sarah's Room" is an intriguing and artistic tale told in haunting tones, smoky interiors and often voyeuristic camera techniques. Outstanding low budget film
1
Speech and hearing impaired quadruplets lose their way inside a zoo. With an enormous snake on the loose, can they come out alive?
-3
Sri(Varun Sandeh) is brought up by his grandmother (Sri Lakshmi) after the death of his parents. Sri’s grandmother is very protective and she keeps him away from beautiful girls. As a result, Sri is very uncomfortable near women. One fine day, a young and rich girl named Anjali comes up to Sri and proposes to him. Sri blindly refuses.
1
The Lalaloopsy girls are all grown up--and headed for the Lalaloopsy Academy for Learning Arts! The friends discover their new school is super cool-- and sew much fun! It's a semester full of laughs and excitement as the girls take creative classes like Glitter 101 and Cloud Sculpting, join silly clubs, make new friends, and cheer on Jewel Sparkles as she runs for student body president!
7
It deals with the story of Baddi Krishna (Yash),who will be a cool dude in the town. Ananth Nag, who will be the Matadhipathi(chief of temple) will decide to make Baddi Krishna as his successor.Though Krishna will not be interested in the traditional and religious practices,situation will leads him towards that post.
1
Punascha is a serious film about the relationship between an elderly author and his old flame which hits the headlines one fine day when things goes all wrong.
0
Lucy, a young woman comes back to her hometown to celebrate her newly appointed doctor of Psychiatry. Friends and old love finds her back, however there have been quite a few strange behavioral differences in Lucy.
1

0
Based on the real story of one dope boy's hustle to feed the fam, avoid bullets and do it BIG. Lucci and Baby Mama are knee-deep in the trap life. They have big dreams of trading the trap game for the rap game, but that's easier said than done. Every dope boy is enticed by the flip, the flip of long money in a short time, and that time is gaining on Lucci. When Baby Mama gets locked up, Lucci is pulled deeper into the fast life of money, power, and chicks. Can Lucci live through the double-crossing game of trapping in the hood? Will he get out the trap before the trap gets him? Well, they say he trap or die...so what happens when you'd rather sell bricks?
-3
A ticket can get you anywhere in the world, from the chairlift at your local ski area to the top of Talgar Peak in Kazakhstan. It can put your heart in your throat as you fly over a knoll faster than you have all year, and it can put your mind at ease when you find yourself alone in a snow-covered Aspen grove with clear blue sky above and crisp cold air all around. A ticket is the end of reality and the beginning of a journey. And we've got one for you.
4
t's everyone's favorite time of year in the magical land of Puff! However, when Eggy and his friends notice the evil Crow Witch is trying to ruin their big party, the animals begin their hunt to save the town!
0
A documentary following the vulgar adventures of the Paranormal Investigation Agency as they investigate a series of paranormal encounters, including sex crazed ghosts, horny demon possessions and murderous succubus.
-3
This documentary traces the story of John Wesley the 18th-century evangelist and social reformer who launched the worldwide Methodist movement. Using excerpts from the 2010 dramatic film Wesley by John Jackman plus interviews with experts and on-location footage shot in Wesley’s England, this program takes you inside the world of this influential Christian leader.
1
Desperate to save his family, a poor Indian boy is coerced by a local kingpin to sell his kidney. When he is cheated out of his money, he vows to steal the criminal's bloody business, for survival and revenge.
-6
A short film that tells the story of three older men who come into the same restaurant on Wednesday mornings at the same time every week. The story is told from the perspective of Megan, the newly hired waitress at the restaurant that takes classes at night. Through her deliberate acts of respect and purposeful efforts to get to know these gentlemen the shroud of their grumpy appearance is lifted and as the men open up the impact of their life stories extend beyond Megan.
0
A heartfelt and intimate documentary of one of the most remarkable sportsmen of all time, told by some of his closest friends, colleagues and rivals. The Isle of Man TT is the most dangerous motorcycle race in the world. Over 230 people have died trying to conquer the 37 3/4 mile circuit, regarded as the ultimate thrill ride for any racer. On June 7th 2000, pub landlord and supremo of road racing Joey Dunlop won this race for a staggering 26th time. Less than one month later Joey would be dead, killed in a freak accident in the woods of Estonia. This is the incredible story of how one determined middle aged man of almost 50 years old beat the odds, only to be cut down in tragic circumstances. This is the story behind Joey Dunlop, told by those that were there.
-1
Film starring Aditi Rao Hydari, Amol Kolhe and Mrinal Kulkarni
0
Shiva, a dubbing artiste lending voice to English films, has an aversion towards the idea of marriage and hates being in a commitment. However, his life takes unexpected turns when his mother blackmails him to meet a girl of her choice, Anjali. But Shiva has plans of his own to rule out the idea of marriage with Anjali.
-3
Its time to work, a film production company have so many funny stories to share about their profession
0
When Durgadevi's nephew tells her that her son has been blessed with a baby, she leaves behind all grudges and comes to meet him.
-1
A combat simulation becomes a surreal battle for survival and sanity when an experimental drug therapy goes wrong for two traumatised assassins.
0
When Nazi forces invaded Holland in 1940 and began rounding up Jews, Corrie ten Boom, her sister Betsie, and their elderly father risked their lives to save as many as possible. Corrie ten Boom: a Faith Undefeated recounts this unforgettable story for a new generation.
4
Troy Alexander returns to her roots, armed with a plan, to pass the bar and start her own practice. Although, her love of the law takes a back seat to her young son, Jordan, it provides an escape from realities.
1
One girl's mysterious past leaves her with unresolved issues that begin to haunt her everyday life, while her friends try to save her from herself. Her journey in the rel world ends when Ingloda begins.
-4
In order to expose Yashvardhan who is dishonest, Ravikant captures his son Ajay and plants his twin brother, Vishal, in his place, as an informer.
-1
35 sing-a-long animated and classic nursery rhymes and songs created by BAFTA nominated childrens producer Neil Ben. A must for all pre-schoolers.
1
Anna May Wong: In Her Own Words presents a vivid picture of the first Chinese American movie star - both an architect and a victim of her times.
1
The KBS documentary program Superfish takes a thorough look into the history of fishing over the past 100,000 years, from fishing techniques to the role of fish in East Asian food and culture. The five episodes – "Fish Planet," "The Great Taste of Fish," "Mystery of Rotten Fish," "Fish on Friday" and "Super Fish" – offer a fascinating essay on the intriguing relationship between fish and humans over the course of global history. Using high-speed and underwater shooting and time-slicing, Superfish also breaks new ground in documentary filmmaking with its stunning underwater imagery and dramatic editing. Narrated by actor Kim Suk Hoon.
2
Randy and Jason Sklar standup special recorded in Madison, Wisconsin.
0
Mosakutty an orphan and uneducated involves himself in highway robbery along with his close aide Sendru. A local bigwig Virumandi misuses Mosakutty right from his young age for his personal gains and takes away the booty and pay the latter only pittance. Meanwhile, a certain unexpected incident leads Kayal, the only daughter of Virumandi who is a student of a local college fall for Mosakutty. However, as expected this didn’t go well with Virumandi who tries to kill Mosakutty through his henchmen. But he survives and when he returns to the village, he could not find Kayal at her place. The rest is whether Mosakutty succeeds in his search for his lover or not.
0
With unprecedented access to one of the most controversial agencies within America's Department of Homeland Security, this film follows US agents in Cambodia as they track down American pedophile sex tourists. Working with local activists and police, the American agents use forensics and surveillance techniques to collect damning evidence of sexual predators preying on young children.
-2
We re-trace the steps of Holocaust survivor Israel Arbeiter as he returns to Poland and Germany for the final time to look for items buried in 1939 in the basement of his old home in Plock, Poland as the German army advanced. We also travel with "Izzy" to Treblinka death camp where his parents and younger brother were murdered and to other camps, most notably Auschwitz-Birkenau, where "Izzy" used the motivation of his father's final words to him to stay alive.
2
On the major social and political issues of our time, economist, author, and columnist Walter Williams is one of America's most provocative thinkers. He is black, yet he opposes affirmative action. He believes that the Civil Rights Act was a major error, that the minimum wage actually creates unemployment, and that occupational and business licensure and industry regulation work against minorities and others in American business. Perhaps, most importantly, he has come to believe that it has been the welfare state that has done to black Americans what slavery could never do: destroy the black family
-1
In these previously unaired images, we discover US military operations from the inside, but also - and more importantly - scenes of splendor of a dictatorship caught up in lies and unprepared for war. Iraqi soldiers, civilians, future insurgents, and journalists retrace the critical year of the invasion, along with members of the US military and reporters who were present during the intervention.
-2
China, the “Middle Kingdom,” has long been thought to have developed independently from the West. Mighty mountains and the inhospitable Taklamakan formed insurmountable barriers. But the belief in China’s isolation has been challenged by surprising discoveries. Mummies from the Bronze Age are turning this assumption upside down and recasting the cultural relationship between east and west.
-2
Richard Beymer first met David Lynch when Lynch cast him as Ben Horne in the series Twin Peaks. Years later, Lynch saw one of Richard's documentaries on the founder of Transcendental Meditation, Maharishi Mahesh Yogi, and asked him to come to India to document a journey he was making tracing Maharishi's footsteps from one end of India to the other. This film is not just a record of their 10-day journey, it's also a rare and personal look at David Lynch "unplugged."
0
The former World Heavyweight Champion Rocky Balboa serves as a trainer and mentor to Adonis Johnson, the son of his late friend and former rival Apollo Creed.
-1
Former British soldier Jonathan Pine navigates the shadowy recesses of Whitehall and Washington where an unholy alliance operates between the intelligence community and the secret arms trade. To infiltrate the inner circle of lethal arms dealer Richard Onslow Roper, Pine must himself become a criminal.
-2
A contemporary and culturally resonant drama about a young programmer, Elliot, who suffers from a debilitating anti-social disorder and decides that he can only connect to people by hacking them. He wields his skills as a weapon to protect the people that he cares about. Elliot will find himself in the intersection between a cybersecurity firm he works for and the underworld organizations that are recruiting him to bring down corporate America.
-1
A thriller set two hundred years in the future following the case of a missing young woman who brings a hardened detective and a rogue ship's captain together in a race across the solar system to expose the greatest conspiracy in human history.
-2
A comedy series adapted from the award-winning play about a young woman trying to cope with life in London while coming to terms with a recent tragedy.
-1
A complex drama about power politics in the world of New York high finance. 

Shrewd, savvy U.S. Attorney Chuck Rhoades and the brilliant, ambitious hedge fund king Bobby "Axe" Axelrod are on an explosive collision course, with each using all of his considerable smarts, power and influence to outmaneuver the other. The stakes are in the billions in this timely, provocative series.
1
Explore the relationships between exclusive escorts and their clients, for whom they provide far more than just sex. Known as GFEs, they are women who provide “The Girlfriend Experience”—emotional and sexual relationships at a very high price.
0
London police detectives Cassie Stuart and Sunny Khan investigate historic cold cases involving missing persons, murder and long-hidden secrets.
-2
A darkly comic swamp noir story of two best friends set in the late 1980s. Based on the novels by Joe R. Lansdale, the series follows Hap Collins, an East Texas white boy with a weakness for Southern women, and Leonard Pine, a gay, black Vietnam vet with a hot temper.
0
Explore what it would be like if the Allied Powers had lost WWII, and Japan and Germany ruled the United States. Based on Philip K. Dick's award-winning novel.
-1
When a zombie virus pushes Korea into a state of emergency, those trapped on an express train to Busan must fight for their own survival.
-3
A big screen remake of John Sturges&#39; classic western The Magnificent Seven, itself a remake of Akira Kurosawa&#39;s Seven Samurai. Seven gun men in the old west gradually come together to help a poor village against savage thieves.
0
Despite being deposed as president of his condominium association, grumpy 59-year-old Ove continues to watch over his neighbourhood with an iron fist. When pregnant Parvaneh and her family move into the terraced house opposite Ove and she accidentally back into Ove’s mailbox, it sets off a series of unexpected changes in his life.
-3
17-year-old Joshua "J" Cody moves in with his freewheeling relatives in their Southern California beach town after his mother dies of a heroin overdose. Headed by boot-tough matriarch Janine "Smurf" Cody and her right-hand Baz, who runs the business and calls the shots, the clan also consists of Pope, the oldest and most dangerous of the Cody boys; Craig, the tough and fearless middle son; and Deran, the troubled, suspicious "baby" of the family.
-1
Based on Michael Connelly's best-selling novels, these are the stories of relentless LAPD homicide Detective Harry Bosch who pursues justice at all costs. But behind his tireless momentum is a man who is haunted by his past and struggles to remain loyal to his personal code: “Everybody counts or nobody counts.”
0
A three part dramatization of the terrifying and bizarre real events that took place at an ordinary house in Enfield during the autumn of 1977. Adapted from Guy Lyon Playfair's book This House is Haunted.
-1
In 1930s Korea, a new girl is hired as a handmaiden to a Japanese heiress who lives a secluded life on a large countryside estate. But the maid has a secret: She is a pickpocket recruited by a swindler, who is posing as a Japanese Count, to help him seduce the Lady and steal her fortune.
0
Rob Delaney and Sharon Horgan write and star in a comedy that follows an American man and an Irish woman who make a bloody mess as they struggle to fall in love in London.
-3
A preacher sets out on a mission to make the almighty himself confess his sin of abandoning the world. With his best friend Cassidy, an alcoholic Irish vampire, his love Tulip, a red blooded gun towing Texan, and the power of genesis, an unholy child born from an angel and a devil, Jesse gives up everything to set the world straight with its creator.
0
A celebration of the musical work of a group of session musicians known as "The Wrecking Crew." a band that provided back-up instrumentals to such legendary recording artists as Frank Sinatra, The Beach Boys, and Bing Crosby.
3
In 2001, Andrew Bagby, a medical resident, is murdered not long after breaking up with his girlfriend. Soon after, when she announces she's pregnant, one of Andrew's many close friends, Kurt Kuenne, begins this film, a gift to the child.
-1
Britain is in the grip of a chilling recession... falling wages, rising prices, civil unrest - only the bankers are smiling. It's 1783 and Ross Poldark returns from the American War of Independence to his beloved Cornwall to find his world in ruins: his father dead, the family mine long since closed, his house wrecked and his sweetheart pledged to marry his cousin. But Ross finds that hope and love can be found when you are least expecting it in the wild but beautiful Cornish landscape.
-1
Joe Lycett takes a ruthlessly efficient approach to travel, covering everything top tourist destinations have to offer in just 48 hours.
1
In 1935, financially strapped widow Louisa Durrell, whose life has fallen apart, decides to move from England, with her four children (three sons, one daughter), to the island of Corfu, Greece. Once there, the family moves into a dilapidated old house that has no electricity and that is crumbling apart. But life on Corfu is cheap, it's an earthly paradise, and the Durrells proceed to forge their new existence, with all its challenges, adventures, and forming relationships.
-3
A con man on the run from a vicious gangster takes cover from his past by assuming the identity of his prison cellmate, Pete, “reuniting” with Pete’s estranged family, a colorful, dysfunctional group that threatens to drag him into a world just as dangerous as the one he’s trying to escape - and, just maybe, give him a taste of the loving family he’s never had.
-4
After his older brother passes away, Lee Chandler is forced to return home to care for his 16-year-old nephew. There he is compelled to deal with a tragic past that separated him from his family and the community where he was born and raised.
-1
A father living in the forests of the Pacific Northwest with his six young kids tries to assimilate back into society.
0
In a parallel present where the latest must-have gadget for any busy family is a 'Synth' - a highly-developed robotic servant that's so similar to a real human it's transforming the way we live.
0
The story of Queen Victoria, who came to the throne at a time of great economic turbulence and resurgent republicanism – and died 64 years later the head of the largest empire the world had ever seen, having revitalised the throne’s public image and become “grandmother of Europe”.
-1
Eccentric aliens give a man the power to do anything he wants to determine if Earth is worth saving.
0
Five years after an unexplained malfunction causes the death of 15 tour-goers and staff on the opening night of a Halloween haunted house tour, a documentary crew travels back to the scene of the tragedy to find out what really happened.
-3
Once a powerful lawyer, Billy McBride is now burned out and washed up, spending more time in a bar than a courtroom. When he reluctantly agrees to pursue a wrongful death lawsuit against the biggest client of Cooperman & McBride, the massive law firm he helped create, Billy and his ragtag team uncover a vast and deadly conspiracy, pitting them all in a life or death trial against the ultimate Goliath.
-5
An unusual, real-world romance involving relatable people, with one catch - there are three of them! You Me Her infuses the sensibilities of a smart, grounded indie rom-com with a distinctive twist: one of the two parties just happens to be a suburban married couple.
0
Industrious high school senior Vee Delmonico has had it with living life on the sidelines. When pressured by friends to join the popular online game Nerve, Vee decides to sign up for just one dare in what seems like harmless fun. But as she finds herself caught up in the thrill of the adrenaline-fueled competition partnered with a mysterious stranger, the game begins to take a sinister turn with increasingly dangerous acts, leading her into a high stakes finale that will determine her entire future.
3
A stranger arrives in a little village and soon after a mysterious sickness starts spreading. A policeman is drawn into the incident and is forced to solve the mystery in order to save his daughter.
-4
To prevent Iran from going nuclear, intelligence officer John Tavner must forgo all safety nets and assume a perilous "non-official cover" -- that of a mid-level employee at a Midwestern industrial piping firm.
0
A young affluent couple expecting their first child hits it off with the new couple that moves in downstairs, until a dinner party between them ends in a shocking accident.
0
Jeremy, Richard and James embark on an adventure across the globe, driving new and exciting automobiles from manufacturers all over the world.
1
Locked away from society in an apartment on the Lower East Side of Manhattan, the Angulo brothers learn about the outside world through the films that they watch. Nicknamed ‘The Wolfpack’, the brothers spend their childhood reenacting their favorite films using elaborate home-made props and costumes. Their world is shaken up when one of the brothers escapes and everything changes.
1
Norway, 1204. A civil war between the birkebeiners —the king's men— and the baglers —supporters of the Norwegian aristocracy and the Church— ravages the country. Two men must protect a baby, the illegitimate son of King Håkon, who will be the future king and peacemaker, from those who want to kill him.
-2
Hosts Ryan & Shane discuss mysteries surrounding notorious unsolved crimes.
-3
Anna suffers from agoraphobia so crippling that when a trio of criminals break into her house, she cannot bring herself to flee. But what the intruders don't realize is that agoraphobia is not her only psychosis.
-5
Cassette inventor Lou Ottens digs through his past to figure out why the audiotape won't die. Rock veterans join a legion of young bands releasing music on tape to push Lou along on his journey to remember.
-1
Life for the residents of a tower block begins to run out of control.
0
A funny and moving story of family and free love set in a freewheeling 1970s commune. When Anna and Erik inherit a huge house, they gather a motley crew of cohabitants to reinvigorate their lives, forcing them to reconcile their new values with old habits.
1
Two strangers, both at the end of their rope, suddenly meet in the middle of the unpredictable waters of Lake Michigan.
-2
Jesús, a young hairdresser, works at a Havana nightclub for drag performers and dreams of being a performer himself. Encouraged by his mentor, Mama, Jesús finally gets his chance to take the stage. But when Angel, his estranged father recently released from a 15-year stint in prison, abruptly reenters his life, his world is quickly turned upside down. The macho Angel tries to squash his son’s ambition to perform in drag. Father and son clash over their opposing expectations of each other, struggling to understand one another and reconcile as a family. Shot in a gritty neighborhood far from the Havana most tourists know, Viva is a heartrending story of music, performance, and survival.
-4
In 1960s New York, Walter Stackhouse is a rich, successful architect and unhappily married to the beautiful but damaged Clara. His desire to be free of her feeds his obsession with Kimmel, a man suspected of brutally murdering his own wife. When Walter and Kimmel's lives become dangerously intertwined, a ruthless police detective becomes convinced he has found the murderer. But as the lines blur between innocence and intent, who, in fact, is the real killer?
-2
Mona and Don’s seemingly perfect suburban bliss is disrupted by a sexy extortionist and Mona will stop at nothing, including killing the competition, to keep her little slice of heaven.
3
In the wake of her father's disappearance, 16-year-old Dylan Blake falls in with the wrong crowd, gets arrested, and earns court-ordered community service volunteering at Open Heart Memorial, the hospital where her mother and sister are doctors, where her grandparents are board members and benefactors and where her father was last seen the day he vanished.
-1
Rainer and Patricia move to Malta to reinvigorate their marriage after the loss of their child.
-1
A diamond dealer navigates the culturally diverse and treacherous world of the diamond business.
-1
In a world where superheroes have been real for decades, an accountant with zero powers comes to realize his city is owned by a super villain. As he struggles to uncover this conspiracy, he falls in league with a strange blue superhero.
-3
Embark on an international culinary expedition with Phil Rosenthal, creator of the TV hit Everybody Loves Raymond, and one of Hollywood’s funniest producers. Join Phil as he explores six culinary capitals of the world in search for the best of a city’s specialty, or one of its most unusual dishes.
1
Following a long fascination with the religion and with much experience in dealing with eccentric, unpalatable and unexpected human behavior, the beguilingly unassuming Theroux won't take no for an answer when his request to enter the Church's headquarters is turned down. Inspired by the Church's use of filming techniques, and aided by ex-members of the organization, Theroux uses actors to replay some incidents people claim they experienced as members in an attempt to better understand the way it operates. In a bizarre twist, it becomes clear that the Church is also making a film about Louis Theroux.
-1
After the brutal murder of his beloved brother, a small-town surfer seeks revenge against the gang of merciless thugs he holds responsible. However, when another tragedy brings him face to face with the consequences of his actions, he must seek forgiveness from the very people he despises most.
-5
Follows acclaimed actor Stephen Lang as he tracks the ten year odyssey behind his one-man show about eight medal of honor recipients.
2
Claire, a talented but emotionally troubled dancer, joins a company in New York City, and soon finds herself immersed in the tough and often cutthroat world of professional ballet. The dark and gritty series will unflinchingly explore the dysfunction and glamour of the ballet world.
-2
Shirin is struggling to become an ideal Persian daughter, politically correct bisexual and hip young Brooklynite but fails miserably in her attempt at all identities. Being without a cliché to hold onto can be a lonely experience.
-2
Weed smoking, foulmouthed Rocco Schiavone is an offbeat Deputy Commissioner of the State Police. For disciplinary reasons he is transferred to the Alpine town of Aosta, far from his beloved Rome. The sophisticated but cranky Roman despises the mountains, the cold, and the provincial locals as much as he disdains his superiors and their petty rules. But he loves solving crimes.
-2
When young and successful reporter Jamie finds out that her sister has died in mysterious circumstances, she travels to Singapore to uncover the truth. There, she discovers multiple deaths linked to her sister's and must join forces with her sister's husband in order to defeat a demonic entity that is using new technology to complete an ancient mission.
-2
The only journey is the one within. Mandorla explores a man's search for a meaningful life despite conflicts between his inner and outer worlds. Ernesto is a visual artist and seeker stuck in a corporate job, who is drawn by dark magical visions to a medieval French city. There he seeks an elusive banker to help him unlock an obscure dream that threatens his job, family, and sanity.
-2
Detectives Tori Lustigman and Nick Manning are assigned a brutal murder case in Bondi, where they begin to uncover mounting evidence to suggest the killing is connected to a spate of unexplained deaths, "suicides" and disappearances of gay men throughout the 80s and 90s. Haunted by the disappearance of her teenage brother, Tori's fascination with the case soon turns to fixation. When more ritualistic murders occur with the same bizarre signature, Tori and Nick will need to put their relationships, their careers and their lives on the line to finally reveal the truth.
-7
An amazingly harrowing story of the 17 day engagement of bloody combat and heroic survival in subartic temperatures. UN forces largely outnumbered and surrounded, due to a surprise attack led by 120,000 Chinese troops.
2
A fly-on-the-wall film crew follow cult Comedy Rock Band 'Dead Cat Bounce' on a desperate quest across Europe to reunite lead singer Jim with his long lost father, who he believes is the legendary rock singer and Whitesnake frontman David Coverdale. Crossing Ireland, England, Norway & Denmark the band follow the Whitesnake Forevermore tour across Europe. They've got no money and no idea what they're doing - just blind faith that one day soon Jim will be sharing a jacuzzi in a 5 star hotel with the Dad of his dreams... and hopefully some hot Asian chicks.
1
Set in Vancouver, THE ROMEO SECTION is an hour-long serialized espionage drama following spymaster Professor Wolfgang McGee, an academic who secretly manages a roster of espionage assets. These assets, referred to as Romeo or Juliet spies, are informants engaged in intimate long or short term relations with state intelligence targets. Wolfgang is a semi-retired Romeo operator, having worked his way up from youth in an unnamed and officially deniable “service” under the umbrella of Canada’s Intelligence Community.
4
Ryan Bergara (a believer in the supernatural) and Shane Madej (a skeptic) travel to alleged haunted locations to investigate paranormal activity.
-1
Beowulf, a hero of the Geats, comes to the aid of Hrothgar, the king of the Danes, whose mead hall in Heorot has been under attack by a monster known as Grendel.
-1
After returning home from an extended tour in Afghanistan, a decorated U.S. Army medic and single mother struggles to rebuild her relationship with her young son.
-1
Gary Faulkner is an ex-con, unemployed handyman, and modern day Don Quixote who receives a vision from God telling him to capture Osama Bin Laden. Armed with only a single sword purchased from a home-shopping network, Gary travels to Pakistan to complete his mission. While on his quest, Gary encounters old friends back home in Colorado, the new friends he makes in Pakistan, the enemies he makes at the CIA - and even God and Osama themselves.
-1
A shy high schooler struggles to lose his virginity before the local Satanic cult can sacrifice him to the devil.
-3
After an American tourist steps on a landmine, he is forced to watch his girlfriend get assaulted.
0
After his father is killed in a car crash, Jack travels home to Colorado to help nurse his mother (who was injured in the crash) back to health. There, he uncovers long buried secrets and lies within his family, his friends, and his very identity.
-4
A UK-based military officer in command of a top secret drone operation to capture terrorists in Kenya discovers the targets are planning a suicide bombing and the mission escalates from “capture” to “kill.” As American pilot Steve Watts is about to engage, a nine-year old girl enters the kill zone, triggering an international dispute reaching the highest levels of US and British government over the moral, political, and personal implications of modern warfare.
-2
Nate Foster, a young, idealistic FBI agent, goes undercover to take down a radical white supremacy terrorist group. The bright up-and-coming analyst must confront the challenge of sticking to a new identity while maintaining his real principles as he navigates the dangerous underworld of white supremacy. Inspired by real events.
0
When a student takes on a theology project, he taps into another side that had been hidden away from him.
0
A photojournalist gets more than she bargained for when she snaps a photo of a shadowy religious figure in the jungles of Colombia, triggering a flight – and fight – for her life.
-1
Jean-Claude Van Damme is a global martial arts & film sensation, also operating under the simple alias of "Johnson" as the world's best undercover private contractor. Retired for years, a chance encounter with a lost love brings him back to the game. This time, he'll be deadlier than ever. Probably.
2
A modern loft reveals its past when new tenants arrive as this former slaughterhouse exposes the evilness still existing within the walls.
1
Polar bear Norm and his three Arctic lemming buddies are forced out into the world once their icy home begins melting and breaking apart. Landing in New York, Norm begins life anew as a performing corporate mascot, only to discover that his new employers are directly responsible for the destruction of his polar home.
-2
A troubled veteran gets a chance at redemption by protecting a girl from an assassin after she witnesses a murder. Holding a shotgun with a single shell, he engages in physical and psychological warfare in a desperate fight for the girl's life.
-3
Will, a 30-year old who is losing control of his life, inherits his father's cabin and with it a new perspective on his family, childhood and relationships.
-1
The first season of Kingdom premiered on October 8, 2014 on the Audience Network and concluded on December 10, 2014 after ten episodes.

In the first season, Alvey Kulina and his girlfriend Lisa Prince struggle with keeping their gym, Navy St., financially stable. Their best hopes are Alvey's younger son, Nate, an up an coming fighter, and Lisa's ex-fiance and former MMA champ, Ryan Wheeler, just released on parole from prison.
1
Four children dream of escaping the tedium of a summer holiday with their mother. When finally given permission to camp on their own on an island in the middle of a vast lake, they are overjoyed. But when they get there they discover they may not be alone… The battle for ownership of a lonely island teaches them the skills of survival, the value of friendship and the importance of holding your nerve.
2
A thirteen-year-old boy is forced to live with his estranged brother after their father is sent to prison. Their relationship is soon tested when the older brother's occupation as a marijuana dealer infringes on his ability not only to raise his kid brother, but even to take care of himself. However, through constant tribulations, they discover the only way to get through the difficulties of life is to work together and try to beat the odds.
-2
This utterly enjoyable and globe-spanning jaunt follows Canadian actor and comedian Jay Baruchel (Knocked Up, How to Train Your Dragon) on an epic road trip through Canada, Ireland and Scotland with his new friend, well-known Irish soccer journalist Eoin O’Callaghan. It’s a story that stretches over 200 years of colorful history and that takes the duo eastward from Montreal to Westport, Ireland—where Jay’s ancestors set sail for Canada, like so many others—and finally Glasgow, where Jay will fulfill a lifelong dream: to watch a match at Celtic Park, one of the wildest and most hallowed grounds in world football.
4
When a young man is executed for committing murder, he leaves behind a curse letter, promising vengeance for all those connected to his unfair trial.
-2
When a group of underachieving 40-something friends gather in Belize to celebrate the early retirement of an old friend, a series of wild, comedic events unfold, exposing dark secrets and a web of lies, deception and murder.
-4
This semi-autobiographical dark comedy starring Tig Notaro follows her as she returns to her hometown after the sudden death of her mother. Still reeling from her own declining health problems, Tig struggles to find her footing with the loss of the one person in her life who understood her. All while dealing with her clingy girlfriend and her dysfunctional family.
-6
New York in the 1920s. Max Perkins, a literary editor is the first to sign such subsequent literary greats as Ernest Hemingway and F. Scott Fitzgerald. When a sprawling, chaotic 1,000-page manuscript by an unknown writer falls into his hands, Perkins is convinced he has discovered a literary genius.
-1
Rudraba, daughter of Ganapatideva, the emperor of the Kakatiya dynasty, was officially designated a son through the ancient Putrika ceremony and given the name Rudradeva so that she could succeed her father after his death. Despite opposition, she became of the most prominent rulers of the Kakatiya dynasty and one of the few ruling queens in Indian history.
0
As glam rock's most flamboyant survivors, X Japan ignited a musical revolution in Japan during the late '80s with their melodic metal. Twenty years after their tragic dissolution, X Japan’s leader, Yoshiki, battles with physical and spiritual demons alongside prejudices of the West to bring their music to the world.
-2
In December 1941, Czech soldiers Jozef Gabčík and Jan Kubiš parachute into their occupied homeland to assassinate Nazi officer Reinhard Heydrich.
-1
The life and career of the power lifter.
0
For three US Border Patrol agents, the contents of one car reveal an insidious plot within their own ranks. The next 24 hours may cost them their lives.
-2
When aspiring model Jesse moves to Los Angeles, her youth and vitality are devoured by a group of beauty-obsessed women who will take any means necessary to get what she has.
0
Hyun-Ji studied for her 19 years before she died in an accident. She is now a ghost and has wandered around the world for several years. Hyun-Ji then meets exorcist Park Bong-Pal. Hyun-Ji and Bong-Pal listens to various stories from ghosts and sends them to the otherworld.
-1
Sophomore year has been a nightmare for Jessica Burns. Relentlessly harassed by her former friend Avery Keller, Jessica doesn't know what she did to deserve the abuse from one of South Brookdale High's most popular and beautiful students. But when a shocking event changes both of their lives, a documentary film crew, a hidden digital camera, and the attention of a reeling community begin to reveal the powerful truth about A Girl Like Her.
-2
A grumpy boxing coach takes on a young, rebellious woman under his wings and starts training her for the world championship. But their biggest battle has to be fought outside the ring.
-2
After a drunken evening and an unforgettable night with a total stranger, Manu wakes up alone to find a message on his arm giving him an appointment in Avignon. Convinced that the appointment is with the dreamy woman from the night before, he is ready to do anything to find her again.
0
The story of American poet Emily Dickinson from her early days as a young schoolgirl to her later years as a reclusive, unrecognized artist.
0
A bride-to-be ends up on a rafting trip and meets a surprising guest: the sperm donor she's planning to use. Back in Berlin, her fiancée is visited by an ex.
0
Paris 2047. Most of the population spend all their time online, connected into virtual worlds, and don't care anymore about reality. A shadow agent, Nash, working for one of the multinational companies behind these virtual worlds, is tracking down terrorists who threaten the system...
-1
In China to donate his kidney to his dying niece, former black-ops agent Deacon awakes the day before the operation to find he is the latest victim of organ theft. Stitched up and pissed-off, Deacon descends from his opulent hotel in search of his stolen kidney and carves a blood-soaked path through the darkest corners of the city. The clock is ticking for his niece and with each step he loses blood.
-2
Writer, Nora Nichols finds inspiration by watching her neighbor Lucas' escapades from her bedroom window. But things take an interesting turn when she realizes he's been watching too.
1
Three different men, three different worlds, three different wars – all stand at the intersection of modern warfare – a murky world of fluid morality where all is not as it seems.
1
Renowned pianist Philippe Kessler is preparing for an important recital. But recently, sounds and images seem deformed around him, as if one reality was superimposed on another. Worrying that he is going mad, he gradually withdraws into himself. The evening of the recital, he collapses at his piano...
-2
Acclaimed writer and historian Deborah E. Lipstadt must battle for historical truth to prove the Holocaust actually occurred when David Irving, a renowned denier, sues her for libel.
1
Miles Jupp – star of Rev. and host of Radio 4’s The News Quiz – returned to stand up in 2014 with this brand new show which toured the UK and played in London’s West End. In Miles Jupp Is The Chap You’re Thinking Of he discusses/touches upon/rants about himself, you, domestic imprisonment, fatherhood, having to have opinions, hot drinks, the bloody government, housing, the ageing process, other people’s pants and, inevitably, a number of other things. Pretty spicy stuff, I’m sure you’ll agree. Bits of it are mild-mannered, and some of it probably seems a tad on the stroppy side. Ultimately, though, it’s a man standing on a stage, facing an audience, talking about some stuff and in the process aiming to cover the cost of his white goods.  This special performance of the show was recorded at The Theatre Royal, Margate
0
A former assassin tries to redeem himself by becoming a masked highwayman in Colonial America.
0
Travis and Gabby first meet as neighbors in a small coastal town and wind up in a relationship that is tested by life's most defining events.
0
Comedian Gabriel "Fluffy" Iglasias and his entourage of comedians travel around the country, asking fans where to eat, and, in order to "Break Even", where to work out.
0
Blaming herself for a tragic accident, Raven Michaels secludes herself at a remote family cabin. She wanders the woods on the verge of a breakdown, seeking peace in isolation. In a last ditch attempt to save her family, Kate Royce takes her two teenagers camping far from the distractions of technology and young romance. When Raven and Kate's worlds collide they offer each other unexpected opportunities for intimacy and healing.
-3
A look at the personal and professional lives of employees at an American news magazine in the late 1960s.
0
Two American expatriates, Jack and Sam, unwittingly steal a drug lord's money when they rob a series of banks in Southeast Asia and become the target of the gang's vengeance.
-2
A New Yorker working as a paralegal searches for a new lease on life before a childhood friend inspires her to take up comedy.
0
A troubled young woman takes up residence in a gothic apartment building where she must confront a terrifying evil.
-3
The trials and tribulations of those who breed exotic birds in the world of competitive poultry; three remarkably rich and diverse personalities who come together to compete in their shared passion to raise the perfect chicken. The film will follow the struggles and triumphs of these characters, along with a wide array of competitors-both human and chicken-from the Ohio National Poultry Show, considered the Westminster of Chickens, to the Dixie Classic in Tennessee.
6
A comedy that takes place in the 1960s during turbulent times in the United States when a middle class suburban family is visited by a guest who turns their household completely upside down.
-1
In 1925 Korea, Japanese rulers demand the last remaining tiger be killed. The tiger easily defeats his pursuers until a legendary hunter takes him on.
1
Drama about a fictional British Royal family set in modern day London, who inhabit a world of opulence and regal tradition that caters to any and every desire, but one that also comes with a price tag of duty, destiny and intense public scrutiny.
1
Determined to pass down his art, the Final Master of Wing Chun is caught in a power struggle with malicious local officials and ultimately must choose between personal honor and his master’s dying wish.
0
After the death of their college age son, Anne and Paul Sacchetti relocate to the snowswept New England hamlet of Aylesbury, a sleepy village where all is most certainly not as it seems. When strange sounds and eerie feelings convince Anne that her son's spirit is still with them, they invite an eccentric, New Age couple to help them get to the bottom of the mystery.
-4
A comedic thriller that re-imagines Mark Twain's iconic literary characters of "Huckleberry Finn" and "Tom Sawyer" as grown men in current day.
0
Chasing Pavement stars Remy Mars as Elijah Young, an 'urban' porn star who is preparing to leave the adult entertainment industry and start a new career as a chef. His new roommate, Takeshi, played by Tokio Sasaki, is a Japanese immigrant who is looking for a new start in the information technology field. Takeshi, who feels completely invisible in the United States, becomes obsessed with his extremely visible flatmate. Takeshi's obsession culminates in a violation of boundaries that brings the two together for a moment of intimacy that neither will soon forget. The movie also stars Antonio Biaggi as Bryson Colon, a man with a troubled past who frequently hires Elijah as an escort, but wants much more.
-2
After the death of their mother, three foster sisters - the shrewd business woman, the free spirit, and the caregiver - find themselves fighting for their individual dreams and fighting each other in this tale of love, lust, and tragedy.
0
A desert survival reality show goes horribly wrong.
-1
Laura makes spooky observations as soon as she starts her job as a teacher for two orphan students at a plantation. She concludes that it has something to do with the former caretaker and his romantic partner.
-1
Adapted from the lauded feminist novel and set in a colorful academic community in Marfa, Texas, this is the story of a struggling married couple, Chris and Sylvere, and their obsession with a charismatic professor named Dick. Told in Rashomon-style shifts of POV, the series charts the unraveling of a marriage, the awakening of an artist and the deification of a reluctant messiah.
0
Eve Hallows' 18th birthday comes with an unexpected family legacy of magic. When Eve attempts a spell to speak with her deceased mother, she accidentally summons a vengeful witch who threatens to wreak havoc. As a Halloween party goes wrong and a theater becomes the stage for disaster, it is up to Eve to believe in herself and take control of her destiny.
-4
A frustrated actor travels to Spain in search of a playwright, a trip that unexpectedly binds him to a group of five previously unconnected people.
-2
Poland, 1945. Mathilde, a young French Red Cross doctor, is on a mission to help the war survivors. When a nun seeks for her help, she is brought to a convent where several pregnant sisters are hiding, unable to reconcile their faith with their pregnancy. Mathilde becomes their only hope.
2
A portrait of the Israeli people told through food. We shot in fine restaurants, in home kitchens, wineries, cheese makers, on the street and much more. Americans see Israelis and Palestinians as always in conflict. Those are not the people of Israel for the most part. "The Search for Israeli Cuisine" will show the 70+ cultures that make up the Israeli people, each with wonderful and unique food traditions. Israel has one of the hottest food scenes in the world. Getting into restaurants in Tel Aviv and Jerusalem is as difficult as New York or San Francisco. Viewers will be amazed and impressed.
3
A true story of hate, revenge, understanding, remorse and redemption as lived by Mark Stroman on the Texas Death Row.
-3
It's a set of six amusing short films that paint an honest and amusing picture of love. The series traces love in an unconventional way, across all ages and professions.
5
In 1950s Australia, beautiful, talented dressmaker Tilly returns to her tiny hometown to right wrongs from her past. As she tries to reconcile with her mother, she starts to fall in love while transforming the fashion of the town.
3
From Jane Austen’s novella, the beautiful and cunning Lady Susan Vernon visits the estate of her in-laws to wait out colorful rumors of her dalliances and to find husbands for herself and her daughter. Two young men, handsome Reginald DeCourcy and wealthy Sir James Martin, severely complicate her plans.
3
Texas Ranger Samantha Payne reopens a 15-year-old missing person case, and uncovers evidence that suggests that the boy was likely murdered on a ranch belonging to wealthy family man, Scott Briggs. When Scott’s estranged son unexpectedly returns home during the investigation, Samantha becomes even more convinced that the Briggs family was involved, and will stop at nothing to discover the truth about the boy’s death - even putting her own life in jeopardy.
-3
A groundbreaking series that brings America's most award-winning magazine, The New Yorker, to the screen with documentaries, short narrative films, comedy, poetry, animation, and cartoons from the hands of acclaimed filmmakers and artists.
2
Thomas Kaiser inherits an ancestral mansion that has been in his family for generations — only to learn that he has also inherited an ancient curse stemming back to the Crusades. Forced into his new role as “protector” — the guardian appointed to keep the evil demons in the house at bay — Thomas teams with an ambitious local realtor and paranormal cleric to unravel the mystery of the house, while struggling to awaken the beautiful Briar Rose, held captive in a terrifying netherworld seen previously in his dreams.
-4
Two dancers fall in love at a Florida hotel before competing in a dance competition.
0
Two teen track stars discover first love as they train for the biggest relay race of their young lives.
1
Undercover cop Lucas White joins Vin Serento's LA gang of illegal street racers. They are fast and they are furious and they plan to double cross LA crime kingpin Juan Carlos de la Sol who hides his cash in a downtown Taco Bell. The gang's outrageous plan is as daring as it is ridiculous and will see them towing the whole restaurant, at crazy speeds.
-4
Kelly Quinn and her two BFF's, Darbie and Hannah, stumble upon her grandmother's mysterious cookbook in the attic and discover some far from ordinary recipes. When the Shut'em Up Shortcake silences Kelly's pesky little brother and the Healing Hazelnut Tart heals Darbie's ankle, the girls discover they have the power of magic. A single-camera live-action pilot based on the popular book.
0
Aging superhero, Titanium Rex, and his has-been team known as The League of Freedom struggle to stay relevant in a changing world.
0
Behind the walls of the Compound, LA’s most violent juvenile offenders await their trials. To their advocates, they’re kids. To the system, they’re adults. To their victims, they’re monsters. Who are they to you?
-2
Medical researcher Frank, his fiancee Zoe and their team have achieved the impossible: they have found a way to revive the dead. After a successful, but unsanctioned, experiment on a lifeless animal, they are ready to make their work public. However, when their dean learns what they've done, he shuts them down. Zoe is killed during an attempt to recreate the experiment, leading Frank to test the process on her. Zoe is revived -- but something evil is within her.
0
The story of the penniless Mary Thorne, who grows up with her rich aunt/cousins at Greshamsbury Park estate.
1
An accident during a bar mitzvah celebration leads to a gendered rift in a devout Orthodox community in Jerusalem, in this rousing, good-hearted tale about women speaking truth to patriarchal power.
2
In a world where women have become asexual and are no longer giving birth to males, a quiet, unassuming housekeeper named Andrew Myers finds himself at the center of a battle to keep men from going extinct.
1
A psychiatrist is drawn into a complex mind game when he questions a disturbed patient about the disappearance of a colleague.
-1
Historian David Olusoga explores the enduring relationship between Britain and people whose origins lie in  Africa.
-1
A fashion stylist finds herself being stalked by a man after her car breaks down in the countryside.
-1
Two hired assassins working for a Mexican cartel are faced with something unimaginable: they get to custody a 10-years-old girl, the daughter of the head of their rival clan, who has kidnapped the son of their boss. The situation is terrible: or an exchange takes place, or somebody will have to carry out a job that no amount of blood on their hands could ever have prepared them for.
-4
A week in the life of Paterson, a poet bus driver, and his wife Laura, a very creative artist, who live in Paterson, New Jersey, hometown of many famous poets and artists.
2
When Spencer Koll, a United States Marine, returns home from a horrific wartime experience, his mundane reality leads him to gravitate towards a new and mysterious woman on her own determined journey. Together, they enter into a magical but destructive new relationship which ultimately exposes their essential truths.
-2
An inspired experimental chemist, wakes up in a New Orleans jail, accused of arson that's linked to an illegal drug-manufacturing ring. Suffering from amnesia, he's unexpectedly released on bail, determined to find his missing girlfriend.
-3
Psychedelic Sci-Fi about mind travel.
0
Jane is a beautiful but troubled American girl backpacking through Japan, when her raw street fighting skills draw the attention of Oshima, Japanese karate champion, who recruits and trains her to fight in the vicious, all-female, underground martial arts tournament known as "The Kumite". After months of rigorous preparation, Jane is ready to face off against the deadliest female fighters in the world, including Ling, the Chinese apprentice of Oshima's nemesis. But other nefarious forces lie in the shadows, and Jane and Ling will have to unite on a journey that will take them from the gritty underworld of Hong Kong to the glitz of Macao, before deciding who really is the best female fighter on the planet.
0
Host Neil deGrasse Tyson brings together celebrities, scientists and comedians to explore a variety of cosmic topics and collide pop culture with science in a way that late-night television has never seen before. Weekly topics range from popular science fiction, space travel, extraterrestrial life, the Big Bang, to the future of Earth and the environment. Tyson is an astrophysicist with a gifted ability to connect with everyone, inspiring us all to to "keep looking up."
3
An investigative expose of the inner workings inside the commercial pet food industry, which has gone largely unchallenged until now.
0
In the midst of the wedding princess Miroslava is kidnapped by a dragon and carried away into his castle on the remote island. Mira left everything behind in the past - family, friends and groom. Now the only things she had were a stone cage and a mysterious young man named Arman ... but who is he and what is he doing on that island? Miroslava will know the truth too late: loving a dragon will reveal the bitter truth - love is scary.
-1
The story follows Aya from the time she moves to Tokyo at age 23 up until she turns 40. Aya has to adjust to the different values and perceptions of the big city as she struggles with challenging situations. We get to follow Aya’s move from one neighborhood to another as she maneuvers her career and love life.
-1
Ava is recovering from demonic possession. With no memory of the past month, she must attend a Spirit Possessions Anonymous support group to figure out what happened. Ava's life was hijacked by a demon, now it's time to get it back.
-1
A young couple awakens a terrible force when they attempt to socialize their reclusive neighbor.
-1
Stick Man lives in the family tree with his Stick Lady Love and their stick children three, and he's heading on an epic adventure across the seasons. Will he get back to his family in time for Christmas?
1
Antonio (Jahmar Hill) is awakened from a coma; he was in for a year and a half after being shot by his father while trying to break up a domestic dispute between him and his mother. When Antonio wakes up he learns that his father who then committed suicide by shooting himself murdered his mother. With nowhere to go or a place to call home, Antonio turns to the cold streets of New York to find refuge and shelter. Antonio becomes the night shining armor to a stranger, Vanessa (Toni Belafonte) when he steps in to defend her from her abusive boyfriend, Streetz
-6
The true and inspiring story of the Elliott family, who refused to surrender, instead turning to one another and their faith in the worst of circumstances, to rebuild their lives, their boy, and their dreams... together. Step by grueling step, with faith, love, and the tireless work of a mother and father to save their family, their farm, their dream, Hoovey learns to walk again. To read again. To dribble and shoot a basketball again. And yes, to dream again himself. Then stepping out in his faith, back onto the hard court, to live that dream of playing this game once more...
2
A stranger arrives to the small town of Passo Fundo, south of Brazil. And he's on a manhunt of a killer that turns in a giant drug conspiracy running by an international conglomerate.
-3
The story of a young man, D, as he returns to his Oakland neighborhood after serving two years in prison for a robbery gone wrong. In the days after his release, we are taken into D’s world while he navigates the harsh realities that plague his inner city community. His judgment is tested by the insidious influences around him, forcing D to decide what direction to take his life.
-5
A modern day adaptation of the ancient Greek play Lysistrata by Aristophanes, set against the backdrop of gang violence in Chicago.
1
Unlike the main television anime series which is mostly set in modern-day Japan, the new series will be a "sealed room" suspense comedy set 100 years in the future. The story begins when Shinnosuke and the entire Nohara family wake up from cold sleep to find themselves aboard a space ship drifting in space. The anime will depict the various events that take place inside the ship.
-1
Ambitious psych major Molly White is on top of the world as she preps for her grad program entry exams. After celebrating with boyfriend Brady, Molly finds her roommate Emma crying after an incident she had with her boyfriend Adam. The next morning, Molly is shocked to learn that Emma jumped from the roof late that night, leaving a suicide note behind. Refusing to believe that Emma would do such a thing, Molly starts having haunting dreams over Emma’s death. Driven to uncover the truth about what happened to Emma, Molly begins to search for answers positioning herself in harm’s way.
-5
A deranged masked Santa-Slayer comes to town for some yuletide-terror. He leaves behind a bloody trail of mutilated bodies as he hunts his way to the front steps of the town's most feared and notorious home.
-2
Fate has taken its toll on the aging cabaret singer Ruth and the young but terminally ill Jonas. Yet despite their great age difference and their entirely opposite experiences in life, they form an intense bond and give each other a reason and purpose to live.
-1
The story of Michael and Richard Henderson, two stepbrothers from West Virginia who saw an opportunity in the burgeoning VHS market in the 1980s and made their own backyard horror movies, "The Curse of Stabberman" and "Cannibal Swim Club." These films would've been long forgotten, but a recent resurgence in horror fans collecting rare VHS tapes has put the Henderson Brothers back in the spotlight. Thanks to their biggest fan, they're sitting down for their first on-camera interview and looking back on their movies - but they might not be as good as they remembered!
-1
In the aftermath of WWI, a young German who grieves the death of her fiancé in France meets a mysterious French man who visits the fiance’s grave to lay flowers.
-3
A detective from Hong Kong teams up with an American gambler to battle against a notorious Chinese criminal.
-2
Maggie is an uptight, single mother and college writing teacher from New York City. In an effort to reconnect with her troubled teen daughter Summer, she decides to embark on a journey to a Tuscan village where she frequented in her younger days. Upon arrival, Maggie runs into Luca a handsome former lover who is still a bachelor and lives with his eighty-year-old mother Carmen. Summer (missing her “bad boy” boyfriend in NYC) and Carmen (secretly planning a wedding against Luca’s wishes to MARCELINO, her one true love in Rome) impulsively steal Luca’s car and race off to Rome. Maggie and Luca quickly pursue allowing the two mismatched couples to spend some time together and develop a new understanding of each other.
-1
A comedy that follows a man on a mission of self-discovery that results in hallucinations, flashbacks and fantasies in his quest to find new love and himself.
0
Meru is the electrifying story of three elite American climbers—Conrad Anker, Jimmy Chin, and Renan Ozturk—bent on achieving the impossible.
0
Three-time Grammy and Emmy nominated comedian Margaret Cho performs in front of a live audience in this provocative and hilarious comedy special event, tackling off-limits issues from Boko Haram to female empowerment with her razor sharp insight and wit.
1
A man bumps into an old crush and becomes obsessed. After several failed attempts at winning her over, he kidnaps her and holds her captive underneath the animal shelter where he works.
-1
ChickLit is a comedy drama about four guys trying to save their local pub from closing down. They group write a chick lit, or more specifically a 'mummy porn' novel in the style of 'Fifty Shades of Grey' and it gets snapped up. The only snag is that the publisher insists that the young woman 'author' does press and publicity. The guys have to keep their involvement a secret and so engage an out of work actress to 'role play' the part of the author. This leads to her becoming the star in the film of the book, the tables are turned on the guys and she is in control - leaving them with the awful prospect of having to secretly churn out sex novels for the foreseeable future.
0
A reporter unearths an urban legend about a home being constructed from rooms where horrific tragedies have occurred.
-2
An unflinching chronicle of Charles Manson, the ex-con who was able to amass a dedicated following of young people in the late 1960s. The era of peace and love was ultimately brought to its knees following his orchestration of the notorious Sharon Tate and LaBianca murders, which sent a shockwave throughout the U.S.A and the world. To this very day, Manson remains a fascinating figure in today's world and remains incarcerated... Prepare to enter the mental and depraved world of Charles Manson.
1
A group of teenage cadets sheltered from war at the Virginia Military Institute must confront the horrors of an adult world when they are called upon to defend the Shenandoah Valley.
-1
After the death of his son, Sultan Ali Khan, a middle-aged wrestler, gives up the sport. However, years later, circumstances force him to revive his career and win back the respect of his loved ones.
3
Akira admires Genyo Kamiura, the most powerful yakuza. Genyo Kamiura has been targeted numerous times, but he has never been killed. He is called the invincible person.  Because of Genyo Kamiura, Akira enters the world of the yakuza. His yakuza colleagues treat him like an idiot, and Akira can't even get tattoos because of his sensitive skin.  An assassin is sent to take out Genyo Kamiura. The killers know that Genyo Kamiura is a vampire. Thus begins the apocalypse.
-1
Brian Posehn brings his signature style to Comic-Con in San Diego and rocks the House of Blues in this new hour featuring hilarious standup and some over-the-top surprises.
1
In this four-part series classicist and historian, Professor Mary Beard draws on her immense scholarship, unique viewpoints and myth-busting approach to Roman history, to give her definitive take on the Roman Empire. How and why did it happen? In search of answers, she takes us to the most telling sites and the most revealing artifacts, and she examines the legacy the Roman Empire has left behind.
1
A biography series based on the life of Zelda Sayre Fitzgerald, the brilliant, beautiful and talented Southern Belle who becomes the original flapper and icon of the wild, flamboyant Jazz Age in the 20s. Z starts before Zelda Fitzgerald meets the unpublished writer F. Scott Fitzgerald and moves through their passionate, turbulent love affair and their marriage-made in heaven, lived out in hell as the celebrity couple of their time.
3
Twin brothers Larry and Luke Stanley are like any other twins you might know, except one twist - Luke is an animated cartoon.
0
The rags to riches story of Sophie Tucker, an iconic superstar who ruled the worlds of vaudeville, Broadway, radio, television, and Hollywood throughout the 20th century. Before Beyoncé, Lady Gaga, Madonna, Bette Midler, Marilyn Monroe, and Mae West, Sophie Tucker was the first woman to infatuate her audiences with a bold, bawdy and brassy style unlike any other. Using all of "The Last of the Red Hot Mamas" 400-plus recently rediscovered personal scrapbooks, authors Susan and Lloyd Ecker take you on their seven-year journey retracing Tucker's sixty-year career in show business.`
2
A coming of age story about self-revelation.  Sylvia, a struggling artist in New York, is fired from her job and flees back to her Texas hometown for a friend’s wedding. At the pre-wedding party, she meets an enigmatic stranger, Esteban. On the eve of the big day, he dares her to join him on a road trip through the jewel cities of the Deep South.
-3
After losing her father to cancer, a teenage girl reluctantly joins her new step-cousin at a summer camp for Mormon girls.
-3
A girl and her mother escape to suburban safety after a home invasion scares them out of the city, but they're soon menaced by a sinister figure.
-2
Family secrets, lies, high drama and generations of contemporary history unspool in this international story that begins with World War II and concludes with an emotional 21st-century family reunion. Izak was born inside the Bergen-Belsen displaced persons camp in 1945 and sent for adoption in Israel. Secret details of his birth mother, an unknown brother in Canada and his father's true identity slowly emerge in this extremely personal investigative film.
-4
Tom Papa has become a Human Mule and he’s not afraid to admit it.  In this follow up to his 2013 special, Tom is at his fast paced comedic best while relating the everyman struggles of family life,  falling behind to the super rich and his hilarious cure for angry young men.
2
Jessica Cox was born without arms as a result of a birth defect, but managed to overcome many physical and emotional challenges to become fully independent. She learned to type with her toes, drive a car with her feet, and amazingly -- fly an airplane with her feet. Right Footed follows Jessica as she transforms from a motivational speaker to a mentor, and eventually into a leading advocate for people with disability.
3
2Eleven is the tale of two brothers hustling to survive in the streets of Detroit. Zo, the calm, ambitious brother, wants nothing more than to give his daughter, Natty, a better life while Murda, the flashy, hot tempered brother, loves the fast life and even faster money. Two very different brothers with the same occupation, committing robberies. Zo, Murda, and their accomplice Rell start off as small time thieves until Zo links up with a season veteran who gives them the opportunity to catch bigger fish and make more money. Once these "jack boys" begin to see a shift in income, the differences between Zo and Murda become more apparent. Tempers flare, blood is shed, and lines are crossed. The more money that is made, the more loyalty is tested. This urban drama is sure to leave you thinking.
7
Smooth advertising executive David is in a relationship with yoga teacher Juliette. Then his eye is caught by Sophie, the girlfriend of his best friend Wim, a fashion photographer. Things get completely out of hand during a campaign for augmented reality-glasses, for which David designs an avatar of the coveted Sophie.
2
Narrated by veteran Hollywood actor Tom Selleck, REMEMBER PEARL HARBOR chronicles the personal stories of veterans and citizens who witnessed the surprise attack by the Japanese on the American Pacific Fleet on December 7, 1941, launching the United States into World War II. Using archival footage and photos and graphics, the documentary shows in detail the bombings on Oahu, along with the fiery explosion of the USS Arizona, the sinking of the USS Oklahoma, and the attacks on Hickam Field, as well as on other parts of the island. REMEMBER PEARL HARBOR documents the 75th anniversary, the tragic events and the courageous acts of those who were in or near Pearl Harbor on that day.
-1
After witnessing a miracle, a young Latina woman experiences strange things as a police detective searches for the truth behind his partner's death.
-1
A behind-the-scenes look at the popular boy band, Backstreet Boys.
1
Meet Harada Takumi – not even in junior high and he’s the best pitcher in the region, although he’s frustrated and ready to give up, because he can’t find a catcher who is good enough to keep up with how he pitches in this backwater town his family has just moved to. Then along comes a kid named Nagakura Gou…
3
In 2009 John Jones entered Nutty Putty Cave with his brother Josh. What happened next has been a topic of much discussion and controversy ever since. Over 127 rescuers responded to the call for aid, and each one has their own take on the events. A story about love, life, and human connection. Ultimately it is the story about how clearly you can see what matters most when you are at the edge of life and death. Made with cooperation from members of John's immediate family.
-1
A mother and her young son release unimaginable horrors from the attic of their rural dream home.
-1
Set against the backdrop of a beautiful garden in the heart of London, this contemporary fairy tale revolves around the unlikely friendship between a reclusive young woman and a cantankerous old widower. Bella Brown is a beautifully quirky young woman who dreams of writing and illustrating a successful children’s book. After she is forced by her landlord to deal with her neglected garden or face eviction, she meets her match, nemesis, and unlikely mentor in Alfie Stephenson, a grumpy, loveless, old man who lives next door who happens to be an amazing horticulturalist.
-2
Jessica and her fiancé Evan just moved from the city into their dream home on a quiet suburban street. Soon after, Jessica catches her seemingly friendly new neighbor, Simon, in a strange lie and can't let her suspicions rest. The danger escalates when Simon lures her inside his home and imprisons Jessica in his secret bunker, meticulously decorated in the idealized style of the 1950's.
-2
Two closeted Muslim teens hawk goods across Brooklyn and struggle to come clean about their sexuality, as their secretive behavior leads them unknowingly into the cross-hairs of the War on Terror.
0
When Amy has nowhere to go for winter break, her friend Christine insists she come stay with her family. What begins as a dream situation turns into a nightmare when Amy starts to obsess and wreak havoc on her welcoming hosts. Stars Beth Littleford, Kate Mansi.
-4
Forced out of their apartment due to dangerous works on a neighboring building, Emad and Rana move into a new flat in the center of Tehran. An incident linked to the previous tenant will dramatically change the young couple’s life.
0
A random group of people wake up on an Island where they are being hunted down in a sinister plot to harvest their organs.
-2
The Major Trauma Centre is a state-of-the-art unit which treats only the most gravely ill or seriously injured. Whether that patient lives or dies is determined by knife-edge decisions and procedures, but can the diverse team of medical professionals knit together and rise to the challenge? Our team hold a life in their hands but in every case they face the agonisingly real fear that it could slip through their fingers.
-1
Frustrated with his pals, Briar joins a traveling circus, where new friends and fame keep the homesickness away... for a while.
0
A wannabe professional thief has an epic fail when he's caught stealing a package and forced to take a young woman as hostage back to his gay friend's house where, despite pressure from his deranged, yoga-loving boss, he can't dispense with her and instead the three face a bunch of quirky thugs sent by the boss who will do anything to get his hands on the mysterious package.
-5
The new installment of the Sharknado franchise takes place 5 years after Sharknado 3: Oh Hell No! There have been no Sharknados in the intervening years, but now they’re appearing again in unexpected ways.
-2
The aquatic adventure of the highly influential and fearlessly ambitious pioneer, innovator, filmmaker, researcher, and conservationist, Jacques-Yves Cousteau, covers roughly thirty years of an inarguably rich in achievements life.
5
The true story of Jimmy Adams, a V.P. of a $30 billion hedge fund, who loses his job and winds up working as a waiter at a waffle shop. Amidst the greasy madness of the 24-hour diner, Jimmy befriends Edward, an ex-con grill master who serves up hard lessons about life, finance, and grits.
-4
Inspired by the groundbreaking video game and created in collaboration with innovative YouTube powerhouses CorridorDigital, RocketJump, and Devin Supertramp, Ubisoft proudly presents Tom Clancy’s The Division: Agent Origins. This thrilling live action video series follows the lives of four agents of The Division as they’re activated and leap headfirst into the fight to save New York City.
3
John Henry returns to his hometown in hopes of repairing his relationship with his estranged father, but a local gang is terrorizing the town. John Henry is the only one who can stop them, however he has abandoned both his gun and reputation as a fearless quick-draw killer.
0
Humberto works as a night watchman at a remote and desolate construction site. One night he becomes, unwittingly, the sole witness to a cover up. Afraid of being retaliated against lest he come forth, he decides to keep quiet. Gradually and without him being aware of it, Humberto ends up inflicting on his family the same violence from which he´s running away.
0
In the 1950s, Tab Hunter was number one at the box office and number one on the music charts and was Hollywood’s most sought-after young star. Natalie Wood, Debbie Reynolds and Sophia Loren were just a few of the actresses he was romantically linked to. He was America’s Boy Next Door and nothing, it seemed, could damage Tab Hunter’s career. Nothing, that is, except for the fact that Tab Hunter was secretly gay. Now, the secret is out.
0
Natasha takes place over the course of one summer. It is the story of Mark Berman, 16, the son of Russian-Jewish immigrants living in the suburbs north of Toronto. When his uncle enters into an arranged marriage with woman from Moscow, the woman arrives in Canada with her fourteen year-old daughter, Natasha. Mark, a slacker, is conscripted by his parents to take responsibility for the strange girl. He learns that, in Moscow, she’d led a troubled and promiscuous life. A secret and forbidden romance begins between the two of them that has bizarre and tragic consequences for everyone involved.
-4
Byomkesh, fresh out of college, agrees to investigate the disappearance of Bhuvan, a chemist. Assisted by Bhuvan's son Ajit, Byomkesh links the case to a larger conspiracy that will unsettle Calcutta.
-1
In a small town in California's San Joaquin Valley, 14-year-old Homer Macauley is determined to be the best and fastest bicycle telegraph messenger anyone has ever seen. His older brother has gone to war, leaving Homer to look after his widowed mother, his older sister and his 4-year-old brother, Ulysses. And so it is that as spring turns to summer, 1942, Homer Macauley delivers messages of love, hope, pain... and death... to the good people of Ithaca. And Homer Macauley will grapple with one message that will change him forever - from a boy into a man. Based on Pulitzer Prize-winning author William Saroyan's 1943 novel, The Human Comedy, ITHACA is the quintessential wartime tale of the Home Front. It is a coming-of-age story about the exuberance of youth, the sweetness of life, the sting of death and the modesty and sheer goodness that lives in each and every one of us.
3
In this hilarious new comedy special, stand-up Brad Williams tackles race and political correctness, as well as how his father raised him to deal with adversity.
1
After the Ball, a retail fairy tale set in the world of fashion. Kate's dream is to design for couturier houses. Although she is a bright new talent, Kate can't get a job. No one trusts the daughter of Lee Kassell, a retail guru who markets clothes "inspired" by the very designers Kate wants to work for. Who wants a spy among the sequins and stilettos? Reluctantly, Kate joins the family business where she must navigate around her duplicitous stepmother and two wicked stepsisters. But with the help of a prince of a guy in the shoe department her godmother's vintage clothes and a shocking switch of identities, Kate exposes the evil trio, saves her father's company -- and proves that everyone can wear a fabulous dress.
1
The nuns of a musical convent work hard in order to prevent the religious school from closing.
0
An untraceable group of elite bank robbers is chased by a suicidal FBI agent who uncovers a deeper purpose behind the robbery-homicides.
0
The publication of a new dictionary titled The Great Passage progresses. Mitsuya Majime, originally from publisher Genbu Shobo's sales department, has been recruited by Kouhei Araki, a veteran editor of the dictionary department who is looking to retire soon. The dictionary department is known internally as the "money-eating insect," but Mitsuya uses his perseverance and attachment to the words in order to become a great editor. Mitsuya, who has poor social skills, finds himself working with another man named Masashi Nishioka, who is able to express himself better.
5
Mark is having that dream moment when Ashley, the most popular girl in his class, asks HIM to drive her to an exclusive pool party. Mark's excitement comes to a quick halt when he comes down from cloud nine and remembers one minor detail - he doesn't have his driver's license! He's tried five times and five times has failed. He needs to make this happen! And Glenn Bufferton, known for easy testing, is just the DMV instructor to give Mark his driving street cred. Or. so he thinks! On the verge of road warrior victory, Mark's plans are thrown off course when Glenn learns that his wife is leaving him. A woeful DMV instructor makes for a negative test outcome. So with his license on the line, Mark agrees to help Glenn rescue his marriage. With his vertically-challenged best friend Russell in tow, the trio hit the road on a cross-town adventure that may make survival the biggest test of all!
2
On-ice enforcers struggle to rise through the professional ranks of the world's most prestigious hockey league, only to be confronted with a new found fight for the existence of the role itself.
0
After an accidental drug overdose, a talented teenage DJ goes to live with his estranged father in a small Army town, where he gets to the bottom of his own pain and learns empathy for others.
-1
Unaware of its terrible history, a young couple purchases their dream home. But it soon becomes clear that they may not be alone in the house... and that someone -- or something -- is determined to drive them out.
0
From the outside, Alexa has the perfect life. Her son is the high school football star, daughter a straight A student and her husband is CFO of a booming start-up company. The sudden death ...
1
Vacationing on historic Nantucket Island, a teenage mystery writer and her friends must outwit two scheming thieves to solve the secret behind a legendary ghost story.
1
A 19-year-old girl discovers she is the descendant of the Byzantine Emperor Justinian, and she learns that the emperor might have unleashed the plague on mankind and cursed his bloodline.
-3
In Kentucky, a transgender woman and her best male friend lament the lack of eligible partners and step across old boundaries of love and romance.
0
Popular prank TV show, Scare Campaign, has been entertaining audiences for the last 5 years with its mix of old school scares and hidden camera fun. But as we enter a new age of online TV the producers find themselves up against a new hard edged web series which makes their show look decidedly quaint. It's time to up the ante, but will the team go too far this time, and are they about to prank the wrong guy?
0
A rich heiress and her friends head for a weekend of fun at her isolated ranch house in the middle of no man's land. They soon find that the caretaker's dark past, has taken him down a bloody killing spree.
-2
A recent college graduate decides to sell marijuana on the streets of Manhattan after losing his job at a consulting firm. He soon meets the girl of his dreams. With an unsupportive girlfriend, an increase of clienteles, and the growing threats of being caught or killed, he soon realizes he is in way over his head.
-4
Womanizing workaholic Neil returns to Michigan to reunite with his brother after their father dies. As they try to sell the family home, their interactions are as chilly as the frost-covered February landscape. But Neil’s facade thaws under the glow of his brother’s charismatic fiancée. Chicago writer-director Patrick Underwood crafts a big-hearted romantic melodrama about rebuilding.
1
Exploration of the podcasting medium via interviews with several big names in the field and their fans.
0
THIS IS ME docu-series is an anthology of five 3-5 minute-long TRANSPARENT-inspired documentaries by five different trans and gender-nonconforming filmmakers. Personal essays, direct actions, explainers - each filmmaker has crafted a segment that explores a theme in TRANSPARENT.
1
Juliet heads to her grandfather’s ranch with her mother for Christmas, where she meets a horse named Rodeo and young cowboy who change her life.
0
Rose Cinderella is an average teenage girl who's as obsessed with shoes as she is fairy tales. But when she finds a key that unlocks a magical new world, she learns that fairy tales are not just in storybooks! When Rose tumbles into Fairy Tale Land, she discovers something even greater – her own magical family legacy! Her grandmother Cinderella is headmistress of Regal Academy, where five famous fairy tale families come together to teach the next generation of princes and princesses how to become heroes…with a lot of help from their legendary grandparents. Now Rose and her new best friends – Astoria Rapunzel, Joy Le Frog, Travis Beast and Hawk Snow-white – figure out how to fly dragons and outsmart witches, all while learning to use their magic and live up to their famous family names.
9
Tom’s birthday dinner party is turned upside down by the unexpected arrival of Alice, an old flame who changed her identity and vanished without a trace 15 years prior.
-1
A retired police officer, despondent over the loss of his family, contemplates a dramatic decision which will change his life forever, until he meets a mysterious woman who, through her personal stories, gives him a reason to re-examine what is most important to him.
-2
Lupin the Third: The Italian Adventure (ルパン三世 L'AVVENTURA ITALIANA?), also known as Lupin III Part IV, is the fifth incarnation of TMS Entertainment's long-running anime television adaptation of the Lupin III (ルパン三世 Rupan Sansei?) manga series written by Monkey Punch.
-1
A self-absorbed young man is challenged to grow a conscience and change his ways in order to receive an inheritance.
0
The sharks take bite out of the East Coast when the sharknado hits Washington, D.C. and Orlando, Florida.
-1
The True Story of Sargent Joseph Hoover went to war to preserve the Union.  After being captured and sent to a prisoner of war camp, he understood what it was to be kept against his will. Together with a friend he escaped and aided by slaves made it to freedom
-1
On 9 April 1940, German soldiers arrive in the city of Oslo. The King of Norway faces a choice that will change his country forever.  The King's Choice is a story about the three most dramatic days in Norway's history, the royal family's escape and King Haakon's difficult choice after Nazi Germany's invasion of Norway.
-1
Yogi Roth never wanted to say 'I wish I'd spent more time with my Dad.' After realizing he had not dealt with the emotion stemming from his father's battle with prostate cancer, Yogi invites his Dad on a walk along the Camino de Santiago that would change their lives forever.
-1
When an event planner leaves her boyfriend behind for Los Angeles, their relationship is put to the test. Partnered with a billionaire business mogul, she finds herself further from home than ever before. Will love overcome distance?
1
Irishwoman Mary Reynold's journey from rank outsider to winner of a Gold Medal at the Chelsea Flower Show.
1
A Sort of Homecoming tells the story of Amy, a New York news producer who thought she left her high school experiences long in the past. She unexpectedly returns to Louisiana at the request of her high school debate coach. Their strained reunion brings back memories of her tumultuous senior year of high school.
-3
Based on the real story of Tom and Nicola Ray from Rutland. Their perfect life is totally ruined in a single moment after Tom had developed sepsis. While her husband was in coma, Nicola gave birth to their second child on the other side of the same hospital. Within a matter of days, sepsis would rob Tom of both his arms and legs, and left his face severely disfigured. As an ordinary man, Tom never put himself at risk — he just woke up two months later in a nightmare, a face-off quadruple amputee... This incredible story of survival shows what can be overcome when love is unconditional.
2
When she’s deported to México, Claudia must choose between reconciling with her estranged father or partnering with a dangerous smuggler to return to the U.S.
-2
The story of a young man who arrives in Hollywood during the 1930s hoping to work in the film industry, falls in love, and finds himself swept up in the vibrant café society that defined the spirit of the age.
2
Four friends on their way to Coachella stop off in Los Angeles to tour true-crime occult sites, only to encounter a mysterious young runaway who puts them on a terrifying path to ultimate horror.
-2
A portrait of the brilliant, extravagant Kristina of Sweden, queen from age six, who fights the conservative forces that are against her ideas to modernize Sweden and who have no tolerance for her awakening sexuality.
-1
A CIA operative interrogates a time-traveling terrorist.
0
Shivaay , a fearless Himalayan mountaineer covered in Lord Shiva tattoos, heads to Bulgaria to fulfill his nine-year-old daughter Gaura’s  wish of seeing her mother Olga, who abandoned them years ago. But their plan goes for a toss when the little girl gets kidnapped in the foreign land. Rescuing her from the masked child-traffickers becomes his only reason for survival.
2
Documentary about the work of Claude Lorius, who began studying Antarctic ice in 1957, and, in 1965, was the first scientist to be concerned about global warming.
0
A woman falsely accused of murder realizes that the person she donated bone marrow to now has a match for her DNA... and is using this new identity to implicate her in his crimes as his obsession for her grows.
-3
In a small Southern town in the autumn of 1941, Sophie’s lonely life is transformed when an Asian man arrives under mysterious circumstances. Their love affair becomes the lightning rod for long-buried conflicts that erupt in bigotry and violence with the outbreak of World War ll.
-4
A sex therapist goes through puberty after the successful removal of a benign tumor resting against his pituitary gland. He experiences all the changes and effects of puberty over a three-week period.
1
Fuzzy Puppet reviews and shows you how to play with cool toys for kids from Lego, Disney, and more. He even has his own fuzzy friends to have more fun with him, such as Frisbee, Snowflake, Gergu, and Clucks the Chicken. He and his friends have a lot of fun playing with each other. They will never stop having the fun that they already have.
1
With renowned wine importer Martine Saunier as our guide, we journey into Portugal's spectacular Douro Valley to explore the mystery and complexity of the world of port
1
In 1943, Max Fronenberg spent one year digging a secret underground tunnel to escape out of a prison camp in Warsaw, Poland during the Holocaust while saving fifteen other prisoners in the process and forced to leave behind the love of his life, Rena, in the prison.
-2
In the age of social media, nearly every day brings a new eruption of outrage. While people have always found something to be offended by, their ability to organize a groundswell of opposition to – and public censure of – their offender has never been more powerful. Today we're all one clumsy joke away from public ruin. Can We Take A Joke? offers a thought-provoking and wry exploration of outrage culture through the lens of stand-up comedy, with notables like Gilbert Gottfried, Penn Jillette, Lisa Lampanelli, and Adam Carolla detailing its stifling impact on comedy and the exchange of ideas. What will the future will be like if we can't learn how to take a joke?
-8
Produced by Hitoshi Matsumoto, Documental pits ten comedians against each other. The objective is to make each other laugh in a closed room. Each contestant brings a one million yen participation fee. The last person to stay in the room without laughing wins. The winner is awarded a 10 million yen prize and bragging rights as the funniest comedian.
5
A man is on his way home when the poorly constructed tunnel he is driving through collapses, leaving him trapped leaving himself for the unexpected whilst emergency services struggle to help.
-6
The story of fashion designer Jeremy Scott's ascent from a small town in Missouri to his current position as the Creative Director of Moschino.
1
New York, 1961. Alexander Ivanov, a high-ranked Soviet bureaucrat, reluctantly defects to the West while is part of a diplomatic mission, feeling the grief of being unable to know the fate of his wife Katya, whom he has had to leave behind in Moscow. Only many years later, in 1991, he will finally find out the truth when his niece Lauren travels to Moscow to participate in a painting exhibition.
-3
Bridger is a young outsider who's always wanted more. He and his mother flee an abusive home, eventually finding a small town in the middle of nowhere. Once there, Bridger finds true acceptance with another misfit.
-4
For the first time in history, Amazon and NFL Films present an unprecedented inside look at the lives of players, coaches and owners of a franchise over the course of an entire NFL season. Witness the real life, behind the scenes journey on the field, off the field, and everything in between.
0
At their 10-year high school reunion, Carly Newman and her old clique discover that their friend Abby's death right before graduation may not have been an accident after all when an unknown assailant begins to threaten them. Kayla Ewell, Jillian Nelson, Johnny Pacar, Anya Engel-Adams, Abigail Klein, Thea Gill, Bryce Durfee star.
-3
Officer Chris McCullers was gravely injured in a shootout and now works on 911-dispatch. Resentful that her career has ended up here, Chris receives a call from a scared kid and dismisses it as a prank. The next day, she learns that the call was all too real: there's been a murder.
-3
An injured figure skater is sent to the mountains to recover from an injury. Once there, she meets an ex-hockey player and his young daughter and begins to realise that something is missing from her life.
0
Raped. Disemboweled. Nearly decapitated. Dumped on the outskirts of a nature reserve, dead - or so they thought. She needed a hero that night, so that's what she became. This is Alison's tale. A tale of monsters, miracles and hope.
-2
A rogue soldier turned outlaw is thrust into a relentless fight with a corrupt sheriff, his obedient deputies, and a dangerous drug cartel in order to protect his sister and her young daughter.
-4
Six young computer hackers sent to work on a derelict space freighter, are forced to match wits with a vengeful artificial intelligence that would kill to be human.
0
Aspiring actor John (Paul Rudd) and wannabe screenwriter Elliot (Patton Oswalt) are slacker best friends who have seen their dreams of stardom fizzle. With their 30th birthdays looming, they set out on a mission to become famous in the 24/7, celebrity-obsessed world. Through it all, our disheartened duo inadvertently become key witnesses in a high profile crime that sets the news cycle on fire, making them household names... but only if they can survive the infamy and worldwide shame.
-1
The story of one man not only battling the bottle, but the city that won’t let him put it down.
1
When a meteor shower rains down outside Los Angeles, Jonas and Lars, two friends stuck in tired, boring lives, head out to find a meteor and strike it rich. After recovering one, they start being stalked by terrordactyls, ancient flying reptiles that launch a full-on assault on the city. Trying to survive, they go on the run...
-4
A parolee becomes the target of a massive police manhunt after inadvertently picking up a rental car with a female whistleblower tied up in the trunk. Now, as the police attempt to silence the woman before she can testify about the city's rampant corruption, the ex-con who just regained his freedom must defend her life, and clear his own name.
0
Comedy special starring comedian, author and all-round lunatic Steve-O, who went from humble beginnings as a circus clown to hitting the big time in 'Jackass'. Expect the unexpected as he performs hilariously outrageous stunts and riotous tricks that hold nothing back.
-4
A typical Midwest house. A sweet little old lady. When a caretaker moves in to help out, Granny's House becomes a macabre place of death - and love.
0
Delinquent is the thrilling and dramatic exploration of a teenager's struggle to manage the fall-out of a robbery gone wrong.
-2
A look though the private lives of the Tudor monorachs
0
What if Apollo 11 never actually made it? What if, in reality, Stanley Kubrick secretly shot the famous images of the moon landing in a studio, working for the US administration? This is the premise of a totally plausible conspiracy theory that takes us to swinging sixties London, where a stubborn CIA agent will never find Kubrick but is forced to team up with a lousy manager of a seedy rock band to develop the biggest con of all time.
-3
Fourteen-year-old Mackenzie is sent to live with her uncle in Juneau when her mother can’t care for her anymore. The living situation quickly takes a turn for the worse, and she runs away to rejoin her mother in Seattle. While on her dangerous journey of sleeping in cars and breaking into hotel rooms, she’s drawn to Rene, a lonesome backpacker looking for tranquility in the wilderness.
-3
Remake of the hit 1960s television show. In the 21st century, Jeff Tracy, a former astronaut, amasses a colossal fortune and decides that he must use it to benefit others. His answer to this desire is to create International Rescue, a unique private emergency response service equipped with customized designed vehicles and equipment that enable the organization to react to any crisis whether it be in sea, air, land, or space. Jeff's five sons volunteer to operate as the pilots and field agents, as well "Brain" who acts as the teams engineer. In addition, Jeff's friend, Kyrano and his daughter Tanusha aka Kayo (based on the original series Tin-Tin character) agree to be the support staff. In addition to the field team, IR also maintains an intelligence network with Lady Penelope and her ex-con chauffeur, Parker as the chief agents in this arm.
3
Dora Welles is an imaginative college grad ready to experience all the excitement of life. Instead she finds herself in snowy upstate New York caring for her reclusive great aunt (who has lived a much more exciting life than anyone realizes).
5
Brash, bold and never afraid to go blue, comedian Lisa Lampanelli offers a raucous and raunchy performance in her first stand-up special for EPIX. Taped at the Music Hall in Tarrytown, New York, the set includes Lampanelli’s signature brand of insult comedy as well as her personal experiences with weight loss and divorce.
-3
Na Bong Sun may be a skilled sous chef, but she lacks the self-esteem to shine professionally and socially. Beyond her cooking talents, however, is an uncanny ability to communicate with ghosts. One day, her mystic senses go out of control when the seductive ghost of Shin Soon Ae possesses her. Imbued with a fiery new "personality," Bong Sun starts turning heads, including that of Kang Sun Woo, the hottest chef in town and Bong Sun's secret crush!
4
In the near future, creatures from ancient Aboriginal mythology endowed with extraordinary physical traits have emerged and must coexist with humans. Known as 'Hairypeople' they battle for survival in a world that wants to exploit and destroy them. One young man – The Cleverman – struggles with his own power and the responsibility to unite this divided world, but he must first overcome a deep estrangement from his older brother.
-1
At the age of 34, former New Orleans Saints defensive back Steve Gleason was diagnosed with ALS and given a life expectancy of two to five years. Weeks later, Gleason found out his wife, Michel, was expecting their first child. A video journal that began as a gift for his unborn son expands to chronicle Steve’s determination to get his relationships in order, build a foundation to provide other ALS patients with purpose, and adapt to his declining physical condition—utilizing medical technologies that offer the means to live as fully as possible.
0
On May 9, 1986, a small ranching community in Wyoming experiences a divine intervention when a couple detonates a bomb inside a crowded classroom.
-1
A young woman's world is turned upside down when she is struck with a paralyzing disease and forced to live with her estranged grandmother who she hasn't seen since she was a little girl. Rose, a widowed and lonely senior, finds a new purpose in life: to fix a 20-year-old family secret.
-3
Following both the death of her father-in-law and a divorce, Jesse, a New Yorker, returns to a small town to live with her now widowed mother-in-law.  Jesse struggles to fit in with the local townsfolk who don’t welcome her with open arms to say the least.  Jesse becomes acquainted with the local pastor, her widowed brother-in-law, falling in love with him, much to the dismay of the community. Things get even more complicated when her ex-husband comes calling, suspiciously trying to win her back.  Between her love life and entangled in-laws, Jesse is tested as she seeks the answer to where she truly belongs.
-2
A fallen professional wrestling superstar battles his past demons in a struggle to reclaim his life and the family that has given up on him.
-2
Coming Through the Rye, set in 1969, is a touching coming of age story of sensitive, 16 year old Jamie Schwartz, who is not the most popular kid at his all boys' boarding school. Disconnected from students and teachers, he believes he is destined to play Holden Caulfield, the main character of The Catcher in the Rye, and has adapted the book as a play.
2
People are not always who they appear to be, as is the case with Umaru Doma, the perfect high school girl—that is, until she gets home! Once the front door closes, the real fun begins. When she dons her hamster hoodie, she transforms from a refined, over-achieving student into a lazy, junk food-eating otaku, leaving all the housework to her responsible older brother Taihei. Whether she's hanging out with her friends Nana Ebina and Kirie Motoba, or competing with her self-proclaimed "rival" Sylphinford Tachibana, Umaru knows how to kick back and have some fun!

Himouto! Umaru-chan is a cute story that follows the daily adventures of Umaru and Taihei, as they take care of—and put up with—each other the best they can, as well as the unbreakable bonds between friends and siblings.
4
In the 21th century getting hold of natural resources of emerging countries, is no matter of war--it is a matter of complex financial actions. And the power of governments behind the events has been replaced by the power of holding companies. Nowadays you don't conquer a country. You buy it. "Short story of long betrayals" is again set in the Republic of Queimada, where in the "Salar de Queimada" (a salt lake) lies 50% of lithium in the whole world. Not surprisingly, there is an international interest in its fate and a breathless fight to seize it.
-3
A socially awkward teenage math prodigy finds new confidence and new friendships when he lands a spot on the British squad at the International Mathematics Olympiad.
1
Wiener-Dog tells several stories featuring people who find their life inspired or changed by one particular dachshund, who seems to be spreading a certain kind of comfort and joy. Man’s best friend starts out teaching a young boy some contorted life lessons before being taken in by a compassionate vet tech named Dawn Wiener. Dawn reunites with someone from her past and sets off on a road trip picking up some depressed mariachis along the way. Wiener-Dog then encounters a floundering film professor, as well as an embittered elderly woman and her needy granddaughter—all longing for something more.
3
After waking up from a coma, Alice has no memory. As she learns the horrible truths about her past self, she must fight for redemption.
0
Lewis Black taps into his signature outrage and frustration as he tackles the economy, local government, and the 2016 Presidential election.
-2
When a hip hop violinist busking in the New York subway encounters a classical dancer on scholarship at the Manhattan Conservatory of the Arts, sparks fly. With the help of a hip hop dance crew they must find a common ground while preparing for a competition that could change their lives forever.
0
One man's journey to discover the bitter truth about sugar. Damon Gameau embarks on a unique experiment to document the effects of a high sugar diet on a healthy body, consuming only foods that are commonly perceived as 'healthy'. Through this entertaining and informative journey, Damon highlights some of the issues that plague the sugar industry, and where sugar lurks on supermarket shelves.
-1
An arbitration panel is formed after a company CEO in Nigeria is sued for wrongful dismissal and rape by an employee with whom he had an affair.
-3
Man’s World, the first original Y-Films series, is a what if. What if women treated men, the way men treat women. It is a story about walking a mile in their shoes, in that world. What if women treated men, the way men treat women? A story about walking a mile in their shoes, in that world.
0
After the death of his grandmother, an 18 year-old boy lives in a homeless shelter.
-1
On New York's rapidly gentrifying Lower East Side sits the Streit's Matzo factory. When its doors opened in 1925, it sat at the heart of the nation's largest Jewish immigrant community.
0
A stuffy businessman finds himself trapped inside the body of his family's cat.
-2
Austin (Aaron Mees) is a rising high school football star, who has his life all mapped out, until his coach (Mike Setzer) makes a decision that forces him to change the course of his life. Austin finds himself in a new home, a new school, with a new set of friends and a whole bunch of problems. Just when it seems the world has Austin down for the count, he gets up, shakes off the world, and forever changes his destiny.
-1
In this chilling story based on real life events a family experience terrifying supernatural occurrences when their son acquires a vintage doll called Robert.
0
A slim uneducated guy is pressured into an arranged marriage with an overweight college girl. The mismatched couple is challenged to compete in the annual wife-carrying race.
-1
The daughter of a Scottish farmer comes of age in the early 1900s.
0
The series revolves around a race of genetically-engineered mutants known as Amazons, around four thousand of which are set loose into a city after a mysterious lab accident. Though normally able to mimic humans and live peaceful lives, the Amazons transform into ravenous flesh-eating monsters when the medicinal suppressant within their armlets runs out after two to three years.
-2
Yugi and Kaiba have a special duel that transcends dimensions.
0
In 1948, a group of World War II pilots volunteered to fight for Israel in the War of Independence.
0
Two couples living together in the same building, but with completely different lifestyles, find themselves bearing secrets and shocking revelations which sets them on course for something they never bargained for.
0
A Yoruba man proposes to his Igbo girlfriend, but when the news eventually reaches their parents, their reactions aren’t exactly what they expected due to tribal prejudice. Rivalry between the two families begins, but the couple are adamant on their love prevailing.
-2
A single mom tries to break free from a mysterious organization that has abducted her.
-1
The details of undercover police officers are deleted from a police database and a senior officer is left struggling to know who are the undercover officers and who are the criminals.
-2
Molly is struggling with being a new mom, but after meeting Beth, things temporarily improve only to turn sinister as Beth's dark intentions are brought to light.
-2
Alonzo Bodden returns with a comedic look at the historical inaccuracies of the present and past in an all-new stand-up comedy event that exposes the hypocrisy - and hilarity - of modern day culture.
-1
Forced to the streets, 16-year-old Dior simply trusts God no matter what. A social worker is trying to track her down, and they each must learn about the meaning of love and acceptance.  Alone and on her own, a sixteen year old Dior figures out how to survive on the streets by a stroke of a spiritual pen
3
Two chefs in DC struggle to open and maintain their first restaurants. Against all odds, one becomes Bon Appetit Magazine's Best New Restaurant in America. The other is forced to redefine success. Starring Aaron Silverman of Rose's Luxury and Frank Linn of Frankly...Pizza. Featuring legendary chefs and restaurateurs Danny Meyer, Michel Richard, Mike Isabella and Washington Post food writer Tim Carman.
3
The vicious murder of a park ranger sparks an investigation into the illicit charcoal trade causing deforestation of the island shared by Haiti and the Dominican Republic. As trees fall, national tensions rise in this gripping survival story.
-4
An evil is unleashed in a small town when a logging company sets up shop in the neighboring woods. Isolated and threatened, a mysterious force hidden within the trees outside the small town of Maiden Woods, strikes fear in the townspeople as Sheriff Paul Shields attempts to overcome the demons of his past while protecting those that he loves.
-5
Kicked out by his parents, a gay teenager leaves small-town Indiana for New York's Greenwich Village, where growing discrimination against the gay community leads to riots on June 28, 1969.
0
Devin Burke and her family have moved cross-country to California and now must adjust to a new life and a new soccer team. The Kentville Kicks don't quite play up to the standard that Devin is used to, so she must establish herself as a leader while also trying to make friends in a strange place.
-1
A gripping family drama and entrepreneurial fable, set in a post-war Paris fashion house. It exposes the grit behind the glamour of a rising business, spearheaded by two clashing brothers.
0
When Tom learns that he has terminal brain cancer, he decides to find a replacement husband for his wife and a father to his daughter, before it is too late. Unbeknownst to his wife Valentine, Tom sets up an on-line dating profile for her, and realizes that he doesn't know much about her anymore. Tom endeavors to get to know Valentine, and learns why he fell in love with her all those years ago... just in time to say goodbye.
-1
Three people try to start a pilot program to document the health benefits of a plant-based diet.
1
A Pulitzer-winning writer grapples with being a widower and father after a mental breakdown, while, 27 years later, his grown daughter struggles to forge connections of her own.
-3
Eh Janam Tumhare Lekhe ~ This life is dedicated to "YOU THE ALMIGHTY" (God). This film is a journey of one man "BHAGAT PURAN SINGH" who treaded a difficult and exhausting path. The journey was made possible by his infinite faith in his mission: the moral values he received from his mother: and courage, vision and determination he received from Guru Granth Sahib. With compassion in his heart he found energy that can move mountains and create miracles. The film is an important chapter in the history of post - partition Punjab.
5
By the time he died in 1931, Thomas Alva Edison was one of the most famous men in the world. The holder of more patents than any other inventor in history, Edison had achieved glory as the genius behind such revolutionary inventions as sound recording, motion pictures, and electric light. Born on the threshold of America's burgeoning industrial empire, Edison's curiosity led him to its cutting edge. With just three months of formal schooling, he took on one seemingly impossible technical challenge after another, and through intuition, persistence, and a unique team approach to innovation, invariably solved it. Driven and intensely competitive, Edison was often neglectful in his private life and could be ruthless in business. Challenged by competition in the industry he'd founded, Edison launched an ugly propaganda campaign against his rivals, and used his credibility as an electrical expert to help ensure that high-voltage electrocution became a form of capital punishment.
1
Dave Navarro is a trauma survivor of the highest order. When Dave was only 15 years old his mother was brutally murdered by her estranged ex-boyfriend. For 8 long years her killer avoided capture while Dave dealt with his deepest, darkest fears through drugs, art and escapism. In a heartbreaking, inspirational journey, Dave confronts the events that changed his life forever. Through revelations from friends and family, to the cold hard facts from police and FBI agents, Dave attempts to come to terms with his mother's senseless murder and the horrific realities of domestic violence.
-8
A Hong Kong cop named Kit busts a major gangster only to find his cover blown and his main witness gone. The gangster, in retaliation, has him kidnapped and put in a Thai jail with a false criminal identity. Lowly prison guard Chai, with his extraordinary fighting skills, guards Kit and prevents his escape. The prison guard’s daughter suffers from a rare form of leukemia and Kit is the only donor who can save her. The prison guard discovers Kit’s real identity and helps him to escape in return for his agreeing to save his daughter. Together, Kit and Chai must face and take down the gangster and his minions.
-9
During the warlords era in China, a village located in rural area called Pucheng fell into dangerous situation when its government allocated all its military force to the front line, the cruel commandant Cao from the enemy troops arrived the village and killed the innocent, the guardians of Pucheng were desperate to fight against Cao for justice and to protect their homeland.
-5
Getting inside the head of a violent criminal is not easy. But Simon Bo, a brilliant criminal psychologist, has the ability to get into the minds of even the most mysterious and violent criminals. He’s a professor at The University of Maryland and works as an analyst and advisor on the police department’s most violent or difficult cases. With the help of his young assistant, Jenny Jian, Simon delves into the thoughts and intentions of the criminal mind. As the daughter of a veteran police investigator with a deep sense of justice, can Jenny help Simon open up emotionally as they work together to solve crimes?
-6
When Maddy Stern discovers her father has gone missing during a routine birdwatching excursion, she and her college pals trek out into the wilderness to find him, only to end up in a wealthy scientist's desolate ranch aviary, where they encounter a pair of giant, hungry terror birds believed to be extinct for centuries.
-2
The exploding cork. Endless tiny bubbles floating up and up in the glass. An indulgence. A celebration. A seduction. A triumph. This is the essence of Champagne, isn’t it?  But it’s not just bubbles in a glass that makes the wine, or the mystique. Only sparkling wine produced within the boundaries of the Champagne region is truly “Champagne.” At first glance, the region is not an obvious source of romance. Champagne’s history is grim and bloody, swept by war and destruction from Attila the Hun to the filthy trenches of WWI and the Nazi depredations of WWII. The environment for winemaking is desperately hard — northerly latitude, chalky soil, copious rain, frost, rot. Yet it’s these difficulties that help make the wine unique.
-5
The journey of the world's most notorious sandalwood and ivory smuggler, Veerappan who was finally captured on October 18, 2004.
-1
In 1989 the trimaran Rose Noelle set sail from Picton, New Zealand, bound for Tonga with four crew. After a freak wave capsized the yacht, they drifted for 119 days before landing on Great Barrier Island.
0
When 12-year-old Dorothy Gale discovers her mother's mysterious journal in her Kansas home, she and her dog, Toto, are transported into a bustling, modern Emerald City. Disoriented and determined to get home, Dorothy embarks on an epic journey with West, a young witch, and Ojo, a giant Munchkin, to seek the magic she needs - as Oz faces its greatest magic crisis. Based on L. Frank Baum's books.
1
Estranged from her family, Franny returns home when an accident leaves her brother comatose. Retracing his life as an aspiring musician, she tracks down his favorite musician, James Forester. Against the backdrop of Brooklyn’s music scene, Franny and James develop an unexpected relationship and face the realities of their lives.
-1
When Sophie's son, Garrett, develops a mysterious illness, she embarks on a search for answers. This leads her into the controversial world of Genetically Modified Organisms (GMOs) where a sociopolitical battle rages between organic farmers and big biotech corporations. As her desperation grows, so too does her quest for knowledge. And the deeper she goes, a more heightened sense of danger develops that preys on her state of mind, as she attempts to discover the root cause of her son's illness.
-6
A young Oklahoma artist, struggling with a recent death, finds escape in a reckless affair with her brother's girlfriend.
-3
A young man at the end of his life tries to find hope and meaning through the relationships he will leave behind.
0
When unsuccessful actress Clarissa returns to her hometown for a wedding and tries to impress her old friends by claiming she's dating big time celebrity Chas Hunter, she suddenly finds herself in a comically false engagement when her lies go public and Chas decides to join the festivities in a stunt to escape bad press.
-4
WWII German soldiers take an occult scientist into a haunted forest in Romania, only to be confronted by their own ghosts.
0
When a high school basketball coach is fired for praying with one of his players, he follows God's calling and hires an agnostic, gambling lawyer to file a lawsuit.
0
11 year-old Milton Adams is growing up in an uncertain world. With his parents constantly stressing about their careers and finances, and the neighborhood bully tormenting him, Milton feels his whole world is in crisis. But when his Grandpa Howard comes to visit, he discovers anxiety about the past and worrying about the future only make things worse and prevent him from finding true happiness moment to moment.
-5
Jaggi, a farmer, travels to Australia in order to save his village. Once there, he is chased by a few goons and ultimately kidnaps a girl from her own wedding.
-1
Armed with his ferociously aggressive style of comedy MADTV alum, Aries Spears, takes the stage in Philadelphia for "Comedy Blueprint". No one, not black, not white, not gay, not straight is safe from his jokes and impressions.
-2
When Rehtaeh Parsons was 15 years old, she went to a party that would define her remaining teenage years. She was sexually attacked and had no memory of it, until photographic evidence spread through social media. The resulting humiliation and bullying the Nova Scotia teen received led to her tragic suicide less than two years later. News of her death reverberated worldwide, a stunning demonstration of the power of images and social networks to amplify the extent of rape culture and effects of depression. Now, her parents and those who knew her reassemble the pieces of Parsons’s life in their courageous quest to make accountable the systems that failed to protect her. With the support of Anonymous, an online campaign and public pressure, they forced the Nova Scotian government and RCMP to address the case and bring the perpetrators to justice. Parsons’s story epitomizes the immense capacity of new tools in these nascent years of social networking.
-2
In 1936, 18 African American athletes dubbed the "black auxiliary" by Hitler defied Nazi Aryan Supremacy and Jim Crow Racism to win hearts and medals at the 1936 Summer Olympic Games in Berlin. The world remembers Jesse Owens. But, Olympic Pride American Prejudice shows how all 18 are a seminal precursor to the modern Civil Rights Movement.
3
Dan Levy works his way from a zebra to a lion in his new special Lion. From his personal trainer texting him at 4am, to watching the movie Frozen with his kids at 6am, to even getting mugged in Beverly Hills, Dan is not afraid to talk about his exhausting life. He also shares his crippling HGTV addiction and what it’s like raising a tiny Matthew McConaughey. Bonus: he’ll also teach you how to cheat the massage parlor system.
-1
Film team decides to make a documentary about the famous Baron Palace, but after several attempts eventually led to catastrophic failure to extraction the necessary permits to shooting inside the palace, the team members decide to break into palace & shooting inside without permits, which put them in serious problems are endless.
-2
One year after his young son disappeared during a Halloween carnival, Mike Cole is haunted by eerie images and terrifying messages he can’t explain. Together with his estranged wife, he will stop at nothing to unravel the mystery and find their son—and, in doing so, he unearths a legend that refuses to remain buried in the past.
-4
Behind-the-scenes documentary revealing what goes on inside the colourful, privileged, and sometimes stressful Christian Dior fashion house.
0
The concert film celebrates the band’s legendary show in New York’s Madison Square Garden – Rammstein’s return to the US after a ten-year absence. In HD and 5.1 surround sound.  For the documentary, Rammstein provided extensive, previously unreleased footage and photos from the band archive. In numerous interviews from various periods in the band’s history, the band members speak about their experiences across the Atlantic.
0
James Brown changed the face of American music forever.  Abandoned by his parents at an early age, James Brown was a self-made man who became one of the most influential artists of the 20th century, not just through his music, but also as a social activist.  Charting his journey from rhythm and blues to funk, MR. DYNAMITE: THE RISE OF JAMES BROWN features rare and previously unseen footage, photographs and interviews, chronicling the musical ascension of “the hardest working man in show business,” from his first hit, “Please, Please, Please,” in 1956, to his iconic performances at the Apollo Theater, the T.A.M.I. Show, the Paris Olympia and more.
1
Sarah, a single mother working as an in-home nurse, confronts a parents worst nightmare when her daughter is abducted and she has to do the unthinkable to find her.
-3
A boy rises to the occasion with his best friend (a lovable talking dog) to save his home and family.
2
Take a wild comedy ride through Uncle Joey's eyes as he shares his hilarious outlook on life. There's no topic he's afraid to tackle as he takes you through his crazy world discussing everything from drugs to raising his daughter.
-2
Troy the Train is the fastest train in the world. He makes sure that new vehicles arrive safely in Car City, and join the Car Team. Every day, Troy the train meets new friends, who follow him in amazing adventures.
3
Year after year, just after the monsoon season has finished, thousands of families travel to a bleak desert in Gujerat, India, where they will stay for an endless eight months and extract salt from the earth, using the same painstaking, manual techniques as generations before them. Director Farida Pacha spent a season with one of these families, observing the very particular rhythms of their lives.
-2
When a strange virus quickly spreads through a safari park and turns all the zoo animals undead, those left in the park must stop the creatures before they escape and zombify the whole city.
-2
No other band in rock'n'roll history has rivaled The Stooges' combination of heavy primal throb, spiked psychedelia, blues-a-billy grind, complete with succinct angst-ridden lyrics, and a snarling, preening leopard of a frontman who somehow embodies Nijinsky, Bruce Lee, Harpo Marx, and Arthur Rimbaud all rolled into one. There is no precedent for The Stooges, while those inspired by them are now legion.  The film will present the context of their emergence musically, culturally, politically, historically, and relate their adventures and misadventures while charting their inspirations and the reasons behind their initial commercial challenges, as well as their long-lasting legacy.
-1
When a teenage girl is miraculously saved by a heart surgeon, the doctor begins to flirt with her. Her father doesn’t believe her and unbeknownst to all, the doctor is obsessed with the girl.
0
A deadly meteor storm has been labeled a one-time celestial occurrence, but astrophysicist Steve Thomas believes something worse is yet to come. After discovering his asteroid tracking satellite is secretly being used for military surveillance, Steve leaks the truth to the press, and it costs him his reputation, his job, and his friends. With the backlash of being a whistle-blower, the pressure threatens to tear his family apart, just when Steve discovers a threat to the entire planet: a giant dark asteroid invisible to current detection systems will soon strike the Earth. Barred from using his own satellite to prove the asteroid's existence, Steve is forced to work in the shadows in a desperate attempt to save humanity.
-6
Fanny is a Jewish girl in a French orphanage in 1943. When she and her friends are no longer safe from the Nazis, they try to flee to Switzerland. After their guide disappears, Fanny has to take the lead and help the other kids make it over the mountains.
1
In September 1939, Colette and Ernest are welcomed by their maternal grandparents in a fictional village named Grangeville, near Dieppe in Normandy. The short vacation becomes semi-permanent when their father goes off to fight, following the mobilization of France to fight the invading German Army, and the poor health of their mother, required to leave to be treated for tuberculosis in a sanatorium in Switzerland. The two little Parisians discover life in the countryside during wartime, including occupation, Resistance, deprivation, but also life with friends.
-3
Set in beautiful Trinidad and Tobago, BAZODEE is a Bollywood style Caribbean musical about being true to yourself and honest in love at all costs.
3
13-year-old Jimmy Morgan is possessed by an evil too powerful to be exorcised by any religion. After escaping from a mental institution, Jimmy is back with a vengeance - and an army of children who follow his every murderous desire.
-2
A five-part series that features the latest research exploring how early humans evolved. See how the mixing of prehistoric human genes led the way for our species to survive and thrive around the globe. Archaeology, genetics and anthropology cast new light on 200,000 years of history, detailing how early humans became dominant.
2
A young man with mental health issues becomes intimate with a suicidal air hostess but his obsessive mother enlists a dysfunctional cop to separate them.
-2
In 1970, a few days before Christmas, Elvis Presley showed up on the White House lawn seeking to be deputized into the Bureau of Narcotics and Dangerous Drugs by the President himself.
-1
Jose Stern, an erstwhile indie-rocker relegated to playing children's birthday parties, is on the verge of turning 40 and at a crossroads in his life.
-1
An old Jewish baker struggles to keep his business afloat until his young Muslim apprentice accidentally drops cannabis in the dough and sends sales sky high.
-1
Two people from very different backgrounds fall in love and decide to get married, but not without their parents blessings. Three days before the wedding they introduce each other with their respective parents and all hell breaks lose.
-2
Two Step is a fast-paced Texas thriller in which the lives of James, a directionless college dropout, and Webb, a career criminal with his back against the wall, violently collide.
-2
Raised by a single mother, a bullied 17 year-old girl seeks guidance from her best friend and the girl's older sister.
2
May 1945: With the end of the war and the surrender of the Third Reich, the world discovered the full horror of a genocidal system on a scale never before seen in the history of humanity. The elimination of millions of individuals had been meticulously planned by a regime whose organization and methods were just beginning to be understood.
-1
Guy Carter, an insecure expectant father unable to find work in his field, accepts a job driving hookers around Los Angeles. One long and crazy evening proves to our hero that he is, in fact, up to the task of fatherhood.
-1
A modern day train hopper fighting to be a successful musician and a single mom battling to maintain custody of her daughter defy their circumstances by coming together in a relationship that may change each others lives forever.
1
A struggling housewife decides to become a real estate agent and inadvertently puts her life in danger when she takes a job with a corrupt broker who will do anything to land a deal.
-3
A killer llama from outer space crash lands on Earth and brings death and destruction to everyone in its path.
-4
Ana Maria is having a bad day until she magically switches places with the main character of her favorite telenovela. As she struggles to escape from Novela Land, Ana Maria finally understands why her real life was such a mess.
-2
A probing portrait of Chris Burden, an artist who took creative expression to the limits and risked his life in the name of art.
-1
On a tiny exotic island, Tuesday, an outgoing parrot lives with his quirky animal friends in paradise. However, Tuesday can't stop dreaming about discovering the world. After a violent storm, Tuesday and his friends wake up to find a strange creature on the beach: Robinson Crusoe. Tuesday immediately views Crusoe as his ticket off the island to explore new lands. Likewise, Crusoe soon realizes that the key to surviving on the island is through the help of Tuesday and the other animals. It isn't always easy at first, as the animals don't speak "human." Slowly but surely, they all start living together in harmony, until one day, when their comfortable life is overturned by two savage cats, who wish to take control of the island. A battle ensues between the cats and the group of friends but Crusoe and the animals soon discover the true power of friendship up against all odds (even savage cats).
-1
A cash strapped student who starts working the night shift at a Museum suspects that one of the exhibits, a creepy vintage doll named Robert, is alive and wreaking havoc after hours.
-3
Hazel suffers from a crippling case of agoraphobia - so much so that it causes a rift between her and her mother, Dee. They agree that Hazel will go to a treatment facility to help her deal with her fear, transported by a driver and specialty van from the facility. But when two masked gunmen attack them on the desert road, Hazel has to battle her fears so she and her mother can survive.
-7
Incensed by the tabloid culture which celebrates it, the L.A. Slasher publicly abducts a series of reality TV stars, while the media and general public in turn begin to question if society is better off without them. A biting, social satire about reality TV and the glorification of people who are famous for simply being famous, "L.A. Slasher" explores why it has become acceptable and even admirable for people to become influential and wealthy based on no merit or talent - purely through notoriety achieved through shameful behavior.
5
After an accidental explosion at a local mine, dinosaurs emerge from the rubble to terrorize a small western town. Now, a group of gunslingers must defend their home if anyone is going to survive in a battle of cowboys versus dinosaurs.
-2
A new romantic comedy feature film that brings together three interrelated tales of gay men seeking family, love and sex during the holiday season.
2
Documentary looking back at the West Coast group who invented gangster rap. The original lineup of N.W.A consisted of Dr Dre, Ice Cube and Eazy-E, all of whom went on to be successful in their own right. The documentary looks at how the group influenced the world of rap music as well as the controversial life and death of Eazy-E and the career developments of Ice Cube and Dr Dre.
0
A feature documentary about the life of Lenny McLean, as seen through the eyes of his only son, Jamie.
0
Henry & Me tells the courageous story of Jack (AUSTIN WILLIAMS), a brave young boy who is dealt a life changing blow. Low on confidence and filled with self-doubt, hope seems lost until a mysterious stranger named Henry (RICHARD GERE) appears. With the touch of his pin, Henry sweeps Jack away to a magical world where illness no longer exists and New York Yankee legends play forever. The incredible journey brings Jack face to face with Babe Ruth (CHAZZ PALMINTERI), Thurman Munson (PAUL SIMON), Lefty Gomez (LUIS GUZMAN) and Mickey Mantle (DAVID MANTLE) – who all teach Jack to face his fears and never give up. The movie climaxes at Yankee stadium, where Jack must test his newfound courage to save the season and find his way home. Featuring an all star-cast of unforgettable characters, Henry & Me is heartwarming movie experience for the entire family with a message of hope… when life throws a curve… swing away!
2
In 1956, ten-year-old Austen Kittredge is sent to live on his grandparents’ Vermont farm, where he experiences wild adventures and uncovers long-festering family secrets.
-1
A constantly picked-on aquarium fish escapes her yacht home, unaware of the dangers that await her in the open ocean. With the help of other misfit sea creatures, she learns not only how to brave the perils of the deep, but how to be true to herself.
-2
An old hot rodder; his woman and the muscle car that comes between them - a 1968 Mustang; the demon ride of his wild youth; that against all odds he plans to restore and race as a tribute to the legendary Carroll Shelby.
0
Lockdown Follows a police officer who returns to duty after recovering from a gun shot wound to discover incriminating evidence of illegal activities against those closest to him. He quickly finds himself trapped inside his own precinct, hunted and in search of the truth, as the crooked cops stop at nothing to recover the evidence.
-3
In a magical faraway land, in a picturesque little village nestled among green meadows and rolling hills, lives a flock of carefree sheep. But their pastoral and stress-free life is interrupted when a pack of wolves sets up camp in the nearby ravine.
3
In a not too distant future, a totalitarian state run by ‘The Director” controls all aspects of life. All enemies of the state are dealt in the harshest way. Most of them are executed by the secret government’s assassins. The best operative is code-named “Condor” – an elite agent and hit man for the government. However, in his latest assignment, “Condor” fails to kill an opposition leader, and finds himself on the run from the very same government agency that he works for. This sets in motion a chain of events with unforseen consequences for all involved.
-3
Shanghai gangsters grapple with lust and loyalty on the eve of war with Japan as they try to navigate an alliance with the enemy's army.
-2
When her birthday wish magically summons wacky Hollywood actor Drake to her small Midwestern town, Sophie has to figure out how to help him fit in until she can get him back home. But Drake is more interested in helping Sophie stand out.
1
A young lady, who recently lost her mother, faces the challenges of high school and her very strict step-father. Through personal growth, and an amazing dedication to dance, she learns to find the peace and happiness of family.
1
In rural Indiana, Noah and his impoverished family wrestle with the mysterious return of his now mute sister, Lauren, who was kidnapped and held captive for over a decade.
-3
New York magazine’s October 2005 issue sent shockwaves through the literary world when it unmasked “it boy” wunderkind JT LeRoy, whose tough prose about his sordid childhood had captivated icons and luminaries internationally. It turned out LeRoy didn’t actually exist. He was dreamed up by 40-year-old San Francisco punk rocker and phone sex operator, Laura Albert.
-1
EKAJ is a love story between two drifters, a naive teenager and a hustler. Ekaj meets Mecca who takes him under  his care. Mecca has AIDS and multiple problems of his own. He is high all day but still manages to be the only voice  of reason in Ekaj’s hopeless world. They cruise the city together looking for money and places to stay. Although Ekaj  makes some money as a prostitute, he finds himself discarded, and lacking what it takes to survive in the city.  Their mutual loneliness leads to genuine friendship.
-3
Daniel and Cynthia, a young couple with a child on the way, experience some hard times in Manila. They head back to Baguio, where Daniel is originally from, to start over again. Through the kindness of Alex, Daniel's well-to-do childhood friend, they get to stay in a large house, rent-free; and he gets a job offer as well. Everything seems to be falling into place for them - or so they think - until strange things start to happen in their house.
-1
Exclamation Mark Question Point is the debut special from Andy Peters. More bootleg than traditional special, Andy recorded only one show, one night at The Virgil in Los Angeles. The special features a bouncy mix of Andy's dive-in-head-first approach to comedy. With The Virgil's intimate space as a backdrop, Andy litters the show with playful self-deprecating bits, a healthy dose of "screaming at strangers" and a nonstop stream of riffs.
2
A small-town mechanic turned chauffeur for the mob gets caught up in the troubles of a beautiful sex worker, in this Scorsese-meets-Nollywood crime comedy that transforms the fast-paced and vibrant city of Lagos into an expressionistic film noir metropolis.
1
Quinn, a neurotic man, is diagnosed with a harmless eye condition and soon after his life spirals out of control. He second-guesses his plans to propose to his longtime girlfriend, Devon, after his beautiful coworker, Kelsey, confesses that she has a crush on him. After a conversation with his best friend, Jameson, he clumsily tries to explain his doubts to Devon, but his possible proposal turns into a break-up. When Devon flees to Paris, he follows her in a last-ditch effort to win back "the one."
-2
A chronicle of the Texas Revolution, the uprising against the tyranny of Mexican dictator Santa Anna, from the battle of the Alamo to the battle of San Jacinto, and the rise of the Texas Rangers.
-3
A teen's life turns upside down when her boyfriend impregnates both her and a new student at school.
0
The adventures of best friends and unlikely heroes, Stinky the garbage truck and Dirty the backhoe loader, a dynamic and hilarious duo of resourcefulness that learn when things don't go as expected, asking "what if" can lead to success. Based on books by Jim and Kate McMullan.
4
Jenna is getting married, her mother is delighted until Jenna announces she wants to find her birth mother.
1
The history of Hip-Hop / Urban fashion and its rise from southern cotton plantations to the gangs of 1970s in the South Bronx, to corporate America, and everywhere in-between. Supported by rich archival materials and in-depth interviews with individuals crucial to the evolution of a way of life--and the outsiders who studied and admired them – Fresh Dressed goes to the core of where style was born on the black and brown side of town.
2
Drowning in tinsel and lights every Christmas, Michael and Caroline Anderson throw the year’s biggest party at their house. But this year, with Michael jobless and Caroline’s store struggling, that tradition may end. The Andersons decide to host a very different kind of party and, in the process, rediscover what’s most important about the holiday.
-2
Multi-generation family sitcom set in the 1970s, loosely based on Emma Kennedy's memoirs. The Kennedy family pursue every opportunity they can to climb the social ladder on their housing estate.
0
When a father and son are forced to squat in an empty London council estate scheduled for demolition, 14-year-old Tommy starts to hear strange noises coming from the boarded-up flat next door… While Tommy struggles to reconnect with his deteriorating father, and glean where his mum might have gone, introverted Tommy makes an unlikely new friend in ballsy, street-smart Carmen. She is everything he isn't. And together they start to unravel the chilling truth behind the sounds coming through Tommy's bedroom wall and the bizarre things that Tommy has started seeing. Eventually Tommy & Carmen break in and find the next door flat empty. But the hauntings only escalate and when Mark is injured and taken into hospital, Tommy finds himself alone on the estate. He realises he’s in way over his head. What does the malign force want…? The truth is more terrifying than Tommy could imagine. From the producer of THE BORDERLANDS, a tensely plotted, superbly acted, gritty urban supernatural horror.
-9
Stand-up comedian Eugene Mirman takes his act to the Wild West, where he riffs on everything from Internet dating sites to bathroom signs.
-1
A young woman attempts to reclaim the unicorn paddleboat she associates with her happier, more privileged former life.
3
At the peak of his mid-life crisis, Swiss filmmaker Stefan Keller is forced to take on a side job out of financial necessity. Consequently, he finds himself travelling throughout Switzerland as an anonymous youth hostel tester just before Christmas. Thus begins his odyssey: Stefan is in desperate need of a story; he struggles with his failed relationship; and chance acquaintances force him to face the meaning of his existence.
-4
Under the oppressive Japanese colonial rule, Deok-hye, the last Princess of the declining Joseon Dynasty, is forced to move to Japan. She spends her days missing home, while struggling to maintain dignity as a princess. After a series of failed tries, Deok-hye makes her final attempt to return home with help of her childhood sweetheart, Jang-han.
-2
High School senior Mark Richards has never minded his overprotective widowed mother, Tanya, and is a good son to her as he prepares to go off to Princeton in the fall. However, when he comes under the sexual spell of the rapacious, manipulative older woman Carissa Barrington, he finds himself in the middle of two strong, unreasonable women--one of whom is insane...
-2
They loved each other with the ardor of thirteen-year-old boys. Rebellion and curiosity, hopes and doubts, girls and dreams of glory – they shared it all. Paul was rich, Emile poor. They went skinny-dipping, drank absinthe, starved, only to overeat. Sketched models by day, caressed them by night... Now, Paul is a painter and Emile a writer. Glory has passed Paul by. But Emile has it all: fame, money, the perfect wife, whom Paul once loved. They judge each other, admire each other, confront each other. They lose touch, meet up again, like a couple who cannot stop loving each other.
7
Despite agreeing to an arranged marriage to a childhood friend, a successful businessman tries to track down a beautiful woman that he met at a Halloween party.
2
A young gladiator enslaved in the Roman arena in 171 A.D. escapes by chariot towards the freedom of Hadrian's Wall. Fighting centurions and mercenaries along the way, he becomes a folk hero for all those struggling to fight Roman oppression.
0
Former FBI agent, now single mother Lisa Brennan, takes a holiday to escape an unhappy love affair and painful family memories. But in a heartbeat is not only faced with a daughter kidnapped by human traffickers, but also faces murder charges and must keep one step ahead of the foreign police.
-2
When the powerful wizard, Lord Tensley, is jilted by Princess Ennogard, he vows to rid the land of love. He commands his fire-breathing dragon to destroy any sign of affection seen throughout the kingdom. As the death toll rises, Camilan, a brave but arrogant warrior seeks to marry his true love despite the curse upon the land. In order to fulfill his destiny, he seeks the help of his estranged brother Ramicus, a bounty hunter with no desire to get involved. It takes an enchanted distress message and the promise of great reward from the beautiful Princess Ennogard, to lure Ramicus into the quest to defeat the wizard and his terrible beast.
3
Americans consume 75% of the world’s prescription drugs. After losing his own brother to the growing epidemic of prescription drug abuse, documentarian Chris Bell sets out to demystify this insidious addiction. Bell’s examination into the motives of big pharma and doctors in this ever-growing market leads him to meet with experts on the nature of addiction, survivors with first-hand accounts of their struggle, and whistleblowers who testify to the dollar-driven aims of pharmaceutical corporations. Ultimately his investigation will point back to where it all began: his own front door.
-3
One week before proposing to his girlfriend, Kyle, a down-on-his-luck romantic, discovers that she's been sleeping with another man. Unemployed, saddled with debt, and depressed, Kyle embarks on a funny yet affecting journey to recovery that involves living in his car, bottom-of-the-barrel jobs, therapy, online dating, and Kyle's own wild, fantastical, and snarky imagination.
-4
An idealistic British drama school teacher, Jodi Rutherford, persuades a cynical South African farmer to prepare her for a role in a major film as an Afrikaans war heroine. In return Jodi undertakes to direct the annual concert on the Willemse farm. Jodi's interaction with the quirky small town citizens and the stubborn Kobus, teaches her that: "there is more to life than lights... camera... and action!"
-1
In Matt Braunger's stand-up special, he reveals why single men are so creepy, describes the drunken antics he observed as a bartender and details a surprisingly stressful Bingo victory.
-2
A film about Rikard, age 30. He is autistic and severely disfigured. He lives in a home for disabled people. He was separated from his mother as a three-year-old, and this continues to torment him today. To deal with life's trials, Rikard escapes into a fantasy world in which he's a 50-meter-tall giant.
-2
Four friends go into a haunted mansion on a whim but they do not realize that they have returned home with an evil spirit, from which escape might be impossible.
-2
Stand up Jay Pharaoh performs his most popular celebrity impressions in this powerhouse comedy special, including hilarious takes on Chris Rock, Dave Chappelle, Jay-Z, Barack Obama and more.
2
Through You Princess will follow Samantha, Kutiman, and some of the musicians around the world who are not aware of Kutiman creating his new music out of their musical web clips. Everyone is from another background, culture, and country, but all share now a mutual musical vision.
0
Jade, a newly married lawyer, is shocked to discover that her elderly father has married his live-in nurse, who is less than half his age. Betrayal, murder, and dark secrets are on the horizon......
-4
The Cat in the Hat takes Nick and Sally on the craziest Halloween adventure, where they go to the Oooky-ma-kooky Closet to help find Nick and Sally the best Halloween costumes ever.
1
The world is facing some huge problems. There’s a lot of talk about how to solve them. But talk doesn’t reduce pollution, or grow food, or heal the sick. That takes doing. This film is the story about a group of doers, the elegantly simple inventions they have made to change the lives of billions of people, and the unconventional billionaire spearheading the project.
0
Mo Mandel takes the stage in his first hour-long special at the Gothic Theater in Denver. He loves Julio Iglesias, hates positive people, and aims his frenetic laser at everything from the sins of his parents, to the perils of sex, to the dark nature of his own disastrous mind.
-4
Perfume celebrates 10 years since their major debut single with a night full of new songs and classics.
1
After heroically defeating both the Snow Queen and the Snow King, Gerda still cannot find peace. Her dream is to find her parents who were once taken away from them by the North Wind and finally reunite the family. Thus, Gerda and her friends embark on an exiting journey to find her parents and encounter new challenges along the way: they discover an ancient magical artifact of the trolls, the Stone of Fire and Ice. From that moment on, things don't go according to the initial plan...Will Gerda be able to tame the mighty forces of the magical elements and get her family back? The answer will be reveled in 2016. This is a story which encompasses everything you love about Wizart: kindness, bravery, friendship, mystery, love of one's family, and a happy ending, of course!
10
The story of nine-year old Maria and her father Marcelino who, in 1879, found the first pre-historic cave paintings at the now world famous Altamira cave.
-1
Caroline and Margo respond to a "Missed Connections" ad on Craigslist, only to realize that there whirlwind romance was a trap, and the man of her dreams is leading a secret life.  The Two women join forces to bring down the dangerous con man who simultaneously romanced and duped them.
-2
The journey of a professional wrestler who becomes a small town pastor and moonlights as a masked vigilante fighting injustice. While facing crises at home and at the church, the Pastor must evade the police and somehow reconcile his violent secret identity with his calling as a pastor.
-3
A semi-autobiographical coming-of-age story set in the Cotswolds during and immediately after the First World War.
0
Ana is a young woman who has just been given a scholarship to study in a foreign country. She decides to celebrate with their friends out of the city. On the road, after helping an injured woman, they are kidnapped by a weird family.
1
Desperate for money, a former con woman agrees to drive an old woman insane so her children can inherit her fortune.
-1
A teenage orphan and delinquent rebels against her evil family during a global virus outbreak.
-5
A love triangle is unraveled when a young painter is approached by an admirer who eases him into making sense of his relationship with his wife.
1
A classic werewolf flick with an amphibious twist; it's a race against time to find the antidote when a girl is attacked and infected by an amphibious monster.
-2
An intimate portrait of four-time Olympic gold medalist and international sports icon Serena Williams, focusing on the external pressures and vulnerabilities Williams faces in her quest to achieve four Grand Slams in a row.
3
The history of U.S. involvement is told in this 7 part documentary series featuring personal stories from veterans and detailing the battles, strategy, and politics of a war that consumed multiple U.S. Presidents. A chronicle of the tragedy that tested the strength of our country and forever changed the social and political landscape of the world.
-1
Follows the Hartman family and their dealings with a legendary creature when it begins coming around their farm house deep in the woods in the late 1960s.
1
Following a series of gay teen suicides, a deeply closeted student confronts his repressed sexuality in search of acceptance from his family, community, and himself.
-1
Like millions of indigenous people, many Native American tribes do not control their own material history and culture. For the Eastern Shoshone and Northern Arapaho tribes living on the isolated Wind River Indian Reservation in Wyoming, new contact with lost artifacts risks opening old wounds but also offers the possibility for healing. What Was Ours is the story of how a young journalist and a teenage powwow princess, both of the Arapaho tribe, travelled together with a Shoshone elder in search of missing artifacts in the vast archives of Chicago’s Field Museum. There they discover a treasure trove of ancestral objects, setting them on a journey to recover what has been lost and build hope for the future.
-3
Schea Cotton is the subject of one of the biggest mysteries in basketball’s history. Described as “the Lebron before Lebron,” Inglewood-native Cotton dominated the likes of Kevin Garnett and Paul Pierce and was one of the most highly touted high school athletes of a pre-social media era. Yet he never made it to the NBA. What happened?
0
An unlikely friendship if forged when a small-time drug dealer and a neglected nine-year-old girl are forced to go on the run together.
-3
Amanda's horse Tanner helps her discover a hidden village of FOREST FAIRIES who offer to help stop an evil land developer from tricking Amanda's mom into selling the family country inn. In this stunningly lush film, the Forest Fairies use their fairy magic and quick thinking to uncover the evil plot. To save the day, they must all try and convince Amanda's mom to believe in love again, believe in laughter again, and believe in fairies.
1
A young woman is searching, today, in Paris, the collection of paintings stolen from her Jewish family during WWII.
-1
Rebirth is about the achievements of developmentally disabled children coming to the forefront of life as any other normal human being. A group of parents at Mysore (India) prove that such children do not have to be side lined.
0
Dr. Beck, who has changed his name, saves a young teenage girl drowning in Mexico, whom he falls in love with. As always, there are some complications in his way, but he has plans to possibly get past them and get the girl of his dreams.
-2
Mona, a prisoner on work release, meets Clément, a shy actor. Desperate to impress Mona, Clément recruits his extroverted friend, Abel, to help. When Mona becomes more interested in Abel, it sets off a conflict between the two friends. Meanwhile, Mona attempts to keep her past hidden.
-1
Lowly theme park mechanic Sam dreams about his childhood sweetheart Sue. With the mistaken belief that only a bling ring can win the girl of his dreams, Sam plans the most perfect night to propose to his one true love. But when super villain Oscar shows up with his own evil ring that could destroy the city, Sam’s plans are thrown into utter disarray. Mistaking each other’s rings for their own, Sam teams up with his robot super heroes to track down his engagement ring and save the city… learning that it’s not about the size of the bling, but the size of your heart.
1
Jet Propulsion, an alien from another planet, and his pals Sean, Mindy, and Sydney learn about science.
0
In an oppressive future, where everyone's only contact is their computer, one lonely young man is forced to venture forth in search of human contact.
-2
Sakurai Misaki has not dated in a long time. She has focused on her work as a pâtissier to eventually run her own business. One day, she gets fired from work. She then meets her first love from high school Shibasaki Chiaki. Misaki works part-time at Chiaki's restaurant and also stays there. While she lives with Chiaki at his restaurant, she realizes that Chiaki's two younger brothers Touma and Kanata also live there.
4
In this true story from 2002, South Korean patrol boats engaged in a deadly battle with North Korean patrol boats who crossed the maritime border known the Northern Limit Line and attacked.
-2
Nature Cat can’t wait to get outside for a day of backyard nature excursions and bravery! But there’s one problem; he’s still a house cat with no real instincts for nature. That doesn’t stop this passionate and curious feline, who loves learning and experiencing all he can about nature.
2
Greasebeard and his road pirates join the Epic Race and it is up to Team Hot Wheels to stop them. But, with a saboteur among them, they must find a new way to keep the pirates from winning and learn about friendship along the way.
2
Shiver me timbers. Surprises await Thomas and his friends as they dig up their most daring adventure yet. Unearthing an old pirate ship, Thomas is on the hunt for Sodor's lost treasure. When Thomas rocks the boat with some new friends, trouble soon rushes in. Will Thomas track down the treasure in time, or will Sailor John set sail with it? Join Thomas and Friends in this explosive movie adventure.
-1
Join Barbie, Chelsea, and her puppy Honey as they swim through rainbow rivers with beautiful mermaids and fly through cotton candy clouds with fairies.
0
A young man discovers a hole in the floor of a local motel that leads to yesterday.
1
When Larry's brother Garry arrives in town selling cars that drive themselves, the citizens of Hot Wheels City are thrilled. When these cars start causing problems, it is up to Team Hot Wheels to show their skills.
3
What starts as a crazy one-night stand ends up in a relationship. But Dharam and Shyra fall out of love just as quickly. Where will life take them now?
-1
Brooke and Roger, two graphic designers in a soon-to-be-merged company, help one another by agreeing to a loveless marriage of convenience, suggested by their new boss. In the process, Brooke gets to upstage the sister who just announced her engagement to Brooke's ex-boyfriend during the holidays. But, with their “marriage” in question, will Brooke and Roger find a spark they didn’t know existed?
0
Alex, a poor italian guy living on the streets of Rome finally realizes his dream of becoming a rap singer, known as Zeta. He will find himself in the world of hip-hop in a flash, having to struggle against the severity of the real world and his demons to discover what he really wants.
-4
Jennifer quickly grabs a black suitcase off the airport luggage carousel. She later discovers she's grabbed the wrong bag. Soon a man calls claiming he will harm her daughter if she doesn't follow his instructions and return his baggage.
-2
Desert Sky Air Force Base is instructed to carry out an urgent mission. Petey, a new fighter plane, arrives by forced landing. Petey is determined to carry out the most important task by himself and rescue his best friend.
0
A visual effects artist gets possessed by an evil spirit and tries to get rid of it until he meets another innocent soul possessed by spirits.
-1
Comedian Brad Williams' standup topics include his experiences as a little person and how to please your woman in bed.
0
When young newlyweds Julia and Rivers find themselves trapped in a quaint, Carolina coastal bed and breakfast with fellow stragglers during a dangerous hurricane, they soon begin to suspect they are being haunted by the legendary ghost of Alice Flagg.
-2
Finding his daughter confused and drunk one night, Martin overreacts and puts a wedge between their once idyllic relationship at a time when she'll need him the most.
-2
Just as a high-profile editor learns that her husband is cheating, her hot new assistant shows an interest in her. But his carefully planned seduction turns her world into a nightmare.
-1
A story about two young men during the last days of WWII.
0
Murugan is the go-to man for MLA 'Jacket' Janakiraman who is in the good books of the minister of state. Murugan falls in love with an aspiring cop, Archana and tries to make her a cop using his rapport with Jacket. The minister on his deathbed, confides with Jacket where he has stashed billions of cash but an irked relative leads him into an accident that wipes out his memory. Murugan and Jacket's attempts wriggle out of the situation is what the rest of the movie has in store.
2
Inspired by True Events An abused wife and mother to a young boy escapes her violent husband and heads for California with her son. She soon learns that her husband has accused her of kidnapping and the law is in hot pursuit. Now a fugitive, she must risk her life and freedom to protect them both from this predator of a man.
-1
Haunted by a tragic past, a stunning music student flees her homeland and ends up in an estranged marriage in Los Angeles, where her piano teacher's lover  sparks a passion in her that threatens to destroy everything.
-1
When Anna has a difficult time getting close to people, her sister creates a dating profile for her online. Anna starts to message a handsome man until she starts getting disturbing messages that a match is close by.
-1
Zoe Walker is a food scientist who's been sent to Colombia to design a coffee flavor that appeals to millennials. In the village of Salento, Zoe meets Diego Valdez, a local plantation owner who is reluctant to work with her at first, but allows Zoe to use his coffee beans so long as she helps him with the final harvest. As Zoe spends time working the land with Diego, romance begins to brew despite their very different roots.
1
Pass the Light tells the story of Steve Bellafiore, an 17 year old high school senior who decides to run for Congress in order to protect the faith that he so loves.
3
An undercover cop finds himself in a Catch-22 situation where he has to return the drugs he had stolen from a kingpin in exchange for his son. The bag containing the drug goes missing, and with both gangsters and cops on his tail, can he get out of this mess?
-3
Thomas goes to the Great Railway Show and competes with some of the world's finest locomotives.
2
When a young couple hires a carpenter to help renovate a home they’ve purchased to flip, they get more than they bargained for when the carpenter interferes in their lives and sabotages their efforts to remodel.
-2
An overweight, young woman, who finds it hard to land a husband, learns to accept her 'Size Sexy' figure and leads an awareness campaign against a dubious slimness centre.
-1
After Brooke and her boyfriend Lance have a car accident, Lance’s leg injury requires him to be bedridden with at-home care. When an attractive nurse, Chloe, is recommended to them, she seems perfect for the task. However, when her troubled past comes to light, it becomes apparent to the happy couple that someone is out to destroy their lives.
1
Hailey is a conceited, professional woman and self-proclaimed serial dater with no interest in marriage. She believes no one man can possess all five of her most coveted qualities. Through her job, she encounters Christopher, a handsome businessman who has sworn off women. Can he crack through her personal code?
-1
When 7-year-old Jocelyn Shaker is mysteriously abducted from a resort in the Colombian rainforest, her rich Columbian stepfather and American mother are accused of being involved.
0
A skilled car driver takes on an assignment to deliver a 'package' from Chennai to Uttarkhand. What he doesn't realize is that the young woman who is travelling along with him is the 'package'. What is the mystery around her?
0
Max and Steel face their greatest challenge ever. When Max's greatest enemies unite to take down N-Tek and conquer Copper Canyon, Max and Steel realize that they can't save the day on their own. It's time to form a new team of heroes with Tempestra, La Fiera, and C.Y.T.R.O. - TEAM TURBO
2
Veteran of sketch, television, and film, comedian Michael Ian Black has mastered a delivery that's equal parts dapper and deadpan, whether he's discussing the pro-choice debate or the Tilt-A-Whirl.  Taped at John Jay College in New York City, Black's first comedy special for EPIX includes his wry take on the human experience, from parenting and gender roles, to guilty pleasures of all shapes and sizes.
0
Rocket science meets the auto industry as "APEX" follows a thread that starts in the design studios and R&D labs where these "fighter jets of the street" are created, and leads to a perilous racetrack in Germany where drivers can reach new heights of speed and performance -- if they dare. Equal parts human drama and speed, "APEX" follows Swedish entrepreneur Christian von Koenigsegg, a lifelong sports car enthusiast on a personal quest to build a "mega" car whose golden ratio defies all expectations for a hypercar's velocity and power, while competing against the biggest names in motorsports for space on the world stage. With insights from top engineers and designers, "APEX" pulls back the curtain on the top-secret development facilities at Porsche, Ferrari, McLaren and Pagani, where awe-inspiring hypercars are imagined and built, and puts you inches from the action, as top drivers shake down the latest hypercars, flat-out on some of the world's greatest racetracks.
3
Exploring the real George Lopez we rarely get to see, pushed and pulled between the worlds of race, class and fame, yet always having a hard time fitting in.
0
Fan Kwok Sang's schizophrenic breakdown led to the accidental death of his wife Wai Ling, and he was committed to a psychiatric hospital three years ago. Now Fan is ready to be released, with Dr. Chow Ming Kit vouching for him even though his senior objects. However, Fan finds it hard to cope with his new life. Something bad happens to him and Chow becomes obsessed in trying to defend his patient, as well as save his own reputation.
-1
Badly planned trek across Dartmoor landscape brings four friends face to face with the Dartmoor Beast. Lost and afraid the terrified party has to fight for their own lives in desperate attempt to survive the night.
-4
Kalicharan is killed by goons. In heaven, he opposes and gets sent back in the body of Balwant, who has enemies in the form of greedy relatives. Now, he has to fix Balwant's life as well as his own.
-2
When a team of Shaolin-trained kung fu actors is about to get their break in Hollywood, a mysterious and sadistic Director forces them to run a gauntlet through Los Angeles. The Director films their every move as they prove their prowess by provoking a rogues' gallery of underworld thugs and martial artists.
-3
Jacques Arnault, head of Sud Secours NGO, is planning a high impact operation: he and his team are going to exfiltrate 300 orphan victims of the Chadian civil war and bring them to French adoption applicants. Françoise Dubois, a journalist, is invited to come along with them and handle the media coverage for this operation. Completely immersed in the brutal reality of a country at war, the NGO members start losing their convictions and are faced with the limits of humanitarian intervention.
-4
A cinephile tries to protect his family by hiding a heat-of-the-moment murder committed by his daughter by taking cues from the films he has watched. With the victim the son of a cop, can he get away with it?
0
Twenty years ago, Garnet Frost nearly lost his life hiking near Scotland’s Loch Arkaig. The near-death experience still haunts him to this day, and, in particular, a peculiar wooden stick he discovered serendipitously right before he was rescued. Believing the staff (as he calls it) is actually a marker for a fortune hidden nearly 300 years ago, Garnet embarks on a treasure hunt to search for the lost riches. But beneath the search for gold lies a poignant pursuit for life’s meaning and inspiration.
1
Shivalinga is story weaved around a murder mystery. Who killed Rahim? Why was he killed? Is it murder of Suicide, CID Shivu (Shivrajkumar) investigates the murder mystery. But, what is Shivu's wife's involvement...
-8
In the magical land of Charmville, charmers have special powers. Charmer-in-training Hazel and her best friends, Posie and Lavender, are still getting used to their powers. Fearless go-getter Hazel leads the group on adventures designed to break in their magical abilities.
4
Living legend, Nick Thune, takes the stage in Portland, Oregon and explains his stunning transformation into a good guy.
2
A modern day urban tale centered around a young man named Tru, who recently came home from jail and is fighting to stay on the right path for the sake of his son. Not too long after his release, Tru finds himself struggling to be an average man while he battles with his son's mother, the law, and the streets.
1
It's the first day of Summer Vacation and The Cat in the Hat whisks Nick, Sally and Fish off on the greatest great outdoor camping adventure ever!
2
Made for TV movie based on a true story, an aspiring New York City sportscaster's life is on the slow track until he serendipitously gets the old cell phone number of a basketball superstar. Will the number be his ticket to success or a path to destruction?
-1
A struggling lawyer files a PIL in a hit-and-run case involving a business scion's son hoping that the resulting publicity would be good for his business.
0
Three young people decide to commit suicide and go to a beach house to die, not realizing that a ghost haunts the place…
-3
Based on the award-winning book by Ezra Jack Keats. Peter goes on a magical, snowy walk to his Nana's house to bring home their Christmas Eve dinner.
1
Comedy legend Martin Lawrence returns to the stand-up stage for a night of impressions and insight on everything from sex, relationships and President Obama, to Bill Cosby, Hollywood and more. Filmed live at LA's Orpheum Theatre.
0
A tragic love story of Bhouri, a 23-year old who is married to a 55-year old, the film highlights the exploitation of women in male dominated society.
0
It spans over 5,000 years of history that have shaped the world. It is full of spectacular sites and epic stories and an evolving society of inventors, heroes, heroines, villains, artisans and pioneers. Professor Joann Fletcher reveals the highs and lows of the most beguiling civilisation in humanity’s rich history in this four-part series made for BBC2.
4
Fuglene Over Sundet is the gripping tale of the Danish Jews' escape to Sweden in October 1943.
0
A group of employees are stuck on the eighth floor of an office building, and it is up to firefighter Ray to find a way to bring them to safety. Unsure of their fate, and with too much to lose, these men must fight to keep each other alive as they hunt for a way out from this deadly inferno.
-4
When a troubled teen from Cleveland experiences bullying in Cocoa Beach, he soon learns Martial Arts to gain confidence and self-defense skills.
1
Comedy Dynamics sits down with Bill Hicks’ brother, Steve, who tells old stories, squashes old rumors and reveals the brother and son behind the late comedian. Told amidst old and rare footage, it’s a must watch for any fan.
-1
Three cousins, Arjun, Divya and Kannan, relocate to Bangalore for various reasons. However, they face many challenges which change their lives forever.
0
A fractured family, caught in a deadly lightning storm, is forced to come together to save their lives.
-1
Lloyd Daniels was one of the most gifted basketball players ever to emerge from New York City. He was born in Brooklyn in 1967 and grew up in the poorest neighborhoods of Brooklyn and Queens. His mother died when he was three, and his father deserted the family, leaving Lloyd an orphan to be raised by his two grandmothers. Virtually unsupervised, Lloyd learned early-on how to hustle to survive. Hustling came easy for him because he was a charming and likable kid. He still hustles to this day.
1
Rimba Racer is an action-packed animation series revolving around Tag, a talented rookie racer and newcomer to the prestigious RIMBA Grand Prix, a racing competition full of tough rivals, dangerous challenges and hidden agendas.
2
Doug Stanhope performs live in his hometown of Bisbee, Arizona, tackling an assortment of hard-hitting issues, from caring for the mentally-ill, to Vietnam vets, being locked up abroad and why everyone should kick like they kick. Watch him battle ISIS for the disenfranchised, angry youth.
-1
A love triangle
1
Lil Rel Howery describes how he found out that his father wasn't a doctor, the difference between raising a son and a daughter, and racism within the black community.
-1
Maria and her mother live alone. The mother, an old woman who cares for canaries, suddenly discovers that they are dying, while Maria plans to move out with her family.
-1
Ammani is about a 82-year-old woman and her emotional bond with another woman named Salamma.
0
She fought the Indians alongside Custer, witnessed the birth of Deadwood and was close friends with Buffalo Bill. She was the terror of the plains, the outrage of the saloons, the oddest of her kind. But no one ever knew who she really was. Her name was Martha Canary, her name is Calamity Jane.
-4
Learn the shocking truth about extraterrestrial beings on Planet Earth. World governments and military factions are not only aware of the Alien presence; they may be in communication with alien races via an exchange program.
-1
For her bachelorette party, purveyor of fine jokes, Cameron Esposito, decided to go a different route - making people pay to see her stand up and tell jokes for her first special. Now she's got your attention and she's got some harsh truths for you, discussing topics such as marriage equality and gun control to the secrets of a women's locker room. You'll love her! After all, she's Marriage Material.
-1
On the day of her wedding, as Selena Jackson comes to terms with the long-lost love she's never quite gotten over, many of her guests, including her best friends and her own mother, also struggle with past loves, past regrets and past mistakes.
0
Filmed live in San Francisco, Janeane Garofalo takes on society’s intolerance of gluten and House Hunters International. With her unapologetic attitude, Janeane proudly states her AARP membership, her love for Febreze but the disdain for their commercials, and her disinterest in doctors.
-2
A dysfunctional L.A. family hires a mysterious babysitter who changes their lives.
-1
Another Period’s Natasha Leggero hosts an all-star lineup of today’s finest comedians in part one of this two-part showcase filmed live at the 2016 SXSW Comedy Festival. Along with some star-studded sneak peeks at the festival, catch hilarious sets from Baron Vaughn, Andrew Santino, Emily Heller, James Adomian, and Moshe Kasher.
1
A group of conspiracy theorists watches a top-secret military base in the desolate Welsh mountains.
-2
The Chennai Sharks XI team goes to Theni for the marriage of their teammate Ragu, and get into a tiff with the local team that becomes a threat to the wedding.
-2
Bianca is just like any other little girl, except for one teensy little thing. Bianca has Wish Magic, so she can make wishes come true. Whether she's at home in Wish World, at the Willow Tree with her fairy friends, or at school with her non-fairy friends, Bianca and her hilarious teddy bear sidekick Bob navigate day-to-day problems with a little help from Bianca's mom and of course, wish magic!
3
South Bureau Homicide, set in South Los Angeles, explores the unsung bond created by the homicide detectives of LAPD and the local community's anti-violent-crime activists who together investigate and cope with the persistent menace of homicidal violence that plagues a disproportionately small part of LA.
-2
Sairam, an assistant manager in a supermarket treads on an unethical path for a promotion, leading to dire consequences. Gayatri a thrifty housewife manages her middle class household. Mahitha's friend, a street child goes missing and she goes out of her way to find him. Abhiram, the bright student falls in love with Aira and pursues her. Four stories seemingly unrelated are all bound by one string called family.
1
Passionate BMX dirt jumper, Phin Cooper, wants nothing in life but to attain fame in his sport. After missing a competition when he lands in jail for unpaid citations, he is court-ordered for community service and reluctantly mentors one of the toughest boys, Blue Espinosa. As Phin leads the troubled teen on exciting adventures of riding dirt trails, big jumps and cityscapes, Blue becomes more than an obligation - an unlikely friend whose secret world of drug trafficking threatens Phin's ultimate dream. Featuring some of the best stunts in dirt jumping by legendary pros and hardcore locals, Heroes of Dirt is more than adrenaline rush. It embarks on an unforgettable journey into real significance, and the price it takes to get there.
1
Herp, unknownly get tasked to bring drugs in a vehicle. He assigns a team to act as a family. This was done to capture the don and other rowdies.
0
Two inept police officers, who have spent their entire lives wanting to appear on the law enforcement reality show "Five-O", get more than they bargained for when an evil drug lord becomes falsely convinced that they are America's most badass cops.
-3
Tevin is a younger brother who observes everything that is around him. Although he loves his troublesome, older brother Rico, he understands that they live two different lives that could change them forever.
0
A bunch of characters, each with their own set of problems, try to tackle the question of marriage that hangs over their lives.
-2
Stand up comedian Pete Correale explores the absurdities of life, love and marriage in his hilarious comedy special where he gives his homegrown New Yorker take on everything from the joy of ice cream to the pain of political correctness.
1
Robinson finds the funny in everything from politics, music and pop culture to growing up in South Philly.
-1
Karikalan a selfish politician, in collusion with a real estate agent, usurps the lands of farmers in a village. Savuri decides to expose the politician and get the lands back to the villagers in a novel manner.
-2
It's the story of the effects of the Civil War on a southern family, a story of scandal, first love and lost dreams that turned a southern boy into a western legend. Join us as we go in search of the real "Doc" Holliday.
-1
Valerie Vestron, is looking for a vacation from her life. Her friends have a plan to get her out of the house and get her to a secluded cabin. They plan to throwback some beer, and unwind, for the weekend, but they get more than they bargained for.
0
BoBoiBoy and his friends come face-to-face with a greedy alien treasure hunter as they race to find a powerful ancient object on a mysterious island.
-1
Chef Emeril Lagasse embarks on a food-fueled global exploration, hitting the road with his best friends and biggest chefs in the world to discover popular food movements and local culinary traditions.
2
Lachlan Patterson, known for his scalpel-sharp wit, shares his musings about make-up, mugshots & more. He brings his hour to the town he loves and calls home; Venice Beach.
1
Comedian and author, Jimmy Dore has been Sentenced To Live. His outrageous political humor promises to make you think, while you laugh. From the President, to the media, to his dog - he covers it all.
1
A quantum physics professor is forced to take action after being drugged by the shaman of a Jewish cult who wants him to come back home and become the man he once was.
0
Recorded live at the historic Chinese Theatre in Hollywood, Ginger Kid is Steve Hofstetter's 6th album. A dark and honest look at subjects ranging from growing up with red hair to population control to the militarization of airport security to gay marriage, this hour-long special is Hofstetter's best yet.
1
No-holds barred stand-up comedian Godfrey performs a riotous set in his hometown of Chicago.
0
August T. Harrison, private eye, comes out of retirement to solve a bizarre missing persons case, but finds himself caught in the middle of a dark conspiracy involving the writings of H.P. Lovecraft.
-3
5 People, 4 Lifestyles, 3 Murders, 2 Hours, 1 Revenge. The story takes around five persons who are interconnected through life situations, plotted in a house.
-2
Stand-up W. Kamua Bell hosts the hottest comics at the SXSW festival in the second of this two-part showcase featuring today's heavyweights and tomorrow's stars, including Todd Glass, Wyatt Cenac, Iliza Shlesinger, Rachel Feinstein, Nate Bargatze, Matt Braunger, Mark Normand, Beth Stelling, Joe DeRosa and Jon Huck.
1
A Canadian-born girl falls in love with a lower-class boy on a trip to India.
0
The search for Sana’s comrades continues. Sara who opens up her heart to Sinbad reveals her horrible story of how her father’s apprentice Galip destroyed the peaceful kingdom and her family by using the wizardly power. Suddenly the Magic Lamp shows the passage “to the Wonder Gate to the land of ancestors that appears in the Night at High Noon,” but Galip’s solders block their path.
2
Sinbad: Sora Tobu Hime to Himitsu no Shima is an upcoming Japanese animated family adventure film inspired by Arabian Nights. The film is produced by Nippon Animation and Shirogumi, directed by Shinpei Miyashita and written by Kaeko Hayafune.
0
The story takes place in the summer of 1995 outside of Gothenburg, Sweden, during the rise of Neo-Nazi violence that was sweeping across the country. The film "John Hron" is the true story about a teenager, his friends and family. John is caught up in defense of a student being bullied in school. As the conflict with the bully escalates it soon causes strain between John and his friends.
-2
Ian Harvie is not quite the kind of man you might think. He's redefining what it means to be a dude through a fresh perspective on sex/sexuality with some seriously funny and new kinds of dick jokes. Proving that laughter cuts across all identities and ultimately unites us all. Oh and, Ian is the world's first trans man comedian with a stand up comedy special.
-1
For Charles, video-games are a much needed escape from reality. But when virtual vixen Sophia leads him on a mysterious quest through the lovelorn lives of six New Yorkers, they will all learn that in the game of life...every heart is a moving target.
-1
After returning from school and marrying, a popular farmer becomes a target of jealousy.
0
"Wonder Boy for President" tells a story of a charismatic young man from the Eastern Cape who is coerced into running for president by two corrupt characters. It is a political satire that delves into political dynamics and challenges that arise.
2
A ghost hunter uses bottles to capture troublesome spirits.
-1
Angel Adams is independent, beautiful and successful and has everything a woman wants, except a man. Separated by a twist of fate over 10 years ago, Angel and her high school crush now been given a second chance. Angel let s her guard down, and opens her heart to Broderick, but their romance comes to a skidding halt, as they are forced to face one of the most critical, yet TABOO issues facing our world today.
0
Yoko is a preschool TV series focused on outdoor play patterns with a social curriculum that mixes friendship, nature, and imagination. It follows the adventures of three children--Mai, Oto, and Vik--who simply love to play outside. The enthusiasm and energy with which they throw themselves headlong into their games arouses the curiosity of a magical being called Yoko who takes ordinary children's games and turns them into extraordinary adventures.
4
A group of market women deny their husbands intimate affection in a bid to stir them into making a decision.
1
Heart of the World delves into the true wonder and beauty of nature, taking us through the centuries of some of the most spectacular sights on earth - Colorado's National Parks. With stunning photography of the parks filmed throughout the seasons, these three hour-long episodes explore the geological history of each park, the forces of nature that changed them, and the people they have inspired.
4
A pickpocket, his girlfriend and a cop become the targets of an education racket. ​
0
Muthu,Senthil,Asim,Munna,Thenali and Kumar are six friends who aspire to become a director, cinematographer, music director, lyricist, hero and comedian. They are tenants at Devadharshini's place and they hunt for opportunities.  Opportunity keeps evading them and they are often tricked by money racketing fake production houses. After many such dejections they get a chance to make a movie through a Production Manager (Thambi Ramayya). Whether they make use of the opportunity and make a movie and realise their dreams is 'Thiraipada Nagaram'.
-1
A look at the high-octane global live music industry and the quiet man at its center, featuring interviews, performances and appearances by a who's who of stars and insiders; with U2, Madonna, The Police, Lady Gaga, Rush and more.
1
Still reeling from a traumatic childhood experience with an alcoholic mother and her deranged carnie boyfriend, a mild mannered milquetoast finds himself at the mercy of a monstrous alter ego: a sadistic killer clown with a tickling fetish.
-2
Savitri is a girl who is fascinated with wedding ceremonies. When she gets engaged, she travels to Shirdi and in the train she meets a doctor Rishi, who falls in love with her. Meanwhile, his parents arrange a marriage for him but he rejects the girl without meeting her. The twist is that the alliance is with none other than Savitri. What happens next forms the rest of the story.
-2
Peter Matthiessen, David Lynch, and Russell Simmons see among the many celebrity devotees interviewed in this case of Zen Buddhist meditation.
0
This landmark film uses new evidence to investigate the truth behind Mona Lisa's identity and where she lived. It decodes centuries-old documents and uses state-of-the-art technology that could unlock the long-hidden truths of history's most iconic work of art.
2
A doting father gives his nod to his daughter’s conditions for marriage and the confusions and struggle which the family faces following that…
-2
A classic tale of love and survival in the brutal world of bare knuckle fighting. Powerfully told and acted by a wonderful ensemble of actors. Jazz and Gia each struggle to survive in their "other-side-of-the-tracks worlds. He desperately looks for a way out of the dark past that haunts him and the violence he faces daily as a bare knuckle fighter. Gia leads a bitter and lonely life trying to main
-1
Sakthi is in love with Anjali but marries city girl Divya because his father has given his word to her dad. But Divya is least interested in making the marriage work and wants a divorce...
2
When RJ (Matt Singletary) returns home to Chicago after an 8 year tour in the army, he quickly finds that the streets he once knew are now eerily similar to the war torn villages and deserts of the Middle East. His Uncle Richard (Harlem Globe Trotter Curley Boo Johnson), who has taken care of him since he was a little boy, explains the rules of the urban battleground - Don't go out at night, gangs, drugs and money rule these streets, and Trust no one.Is there any way to stop the cycle of violence? To push the gangs out? To save our children?This modern day retelling of the Robin Hood Legend amps up the action and heroism. All while taking a look at what's really wrong in the neighborhoods of Chicago.RJ is an arrow slinging savior of the city. Along with Father Benjamin Tuck (Malik Yoba), Marian (Mahogany Monae), his childhood love who now runs the community center, and his comrades in arms from the army, RJ and his crew are out to stop the drug trade and gangland war that's spread ...
2
A working-class Punjabi woman battles the adverse conditions that farm laborers face, including an oppressive upper class and drug abuse.
-3
Documentary about the life of Christian comedian Chonda Pierce, the RIAA's number one selling female comedian of all time.
0
An unflinching look at how women are treated in the USA today examining issues such as workplace harassment, domestic violence, rape and sexual assault. It shows how discriminatory attitudes still prevail and influence society and argues for the need to improve laws that claim to protect women.
-3
Performing live in El Paso, Texas, veteran comedian Willie Barcena tells it like it is, from questioning God to marrying a woman with large feet.
1
Dwayne Perkins' standup special.
0
The movie revolves around three childhood friends, who are married and settled in their lives but are afraid of their wives.
-1
Noah and his family along with a zoo full of animals take an adventure aboard an orange slice ark. After 40 days and nights of rain, everyone's faith has been tested, and they're ready to jump ship. Will they chart a new course, or will they remember to trust God's promises? Grad your umbrellas and find out in this VeggieTales re-telling of the beloved Bible story!
5
Gabriel Iglesias presents a hilarious stand-up comedy special from the brash and beautiful Gina Brillon. Find out why she’s one of the country’s hottest young comics in this uproarious special full of sharp jokes and her trademark Bronx attitude!
1
A group of insurance employees go to a sales convention at a beach resort in Punta Cana, where they get involved in various situations.
0
Filmmaker Rob McCallum hits the road with his brother Chris Byford in search of their Mom who's been missing for almost 25 years.
0
Jai and Neha, eloping to Hyderabad to get married, offer lift to a stranger on the highway not realizing that he is a murderous psychopath who has escaped from a mental asylum.
-2
The life of a young, happy-go-lucky bartender turns topsy-turvy when he encounters two girls in his life at different times.
0
Explore the impressive underwater landscapes and fascinating species of one of the biggest wonders on our planet-The Red Sea. Filmed in stunning 4K, this mesmerizing nautical journey features, many of the 1,200 different sea creatures that have made the naturally and artificially formed coral reefs their home beneath these mystical waters.
5
Dynamite is a Telugu action thriller film directed by Master Vijayan, Manchu Vishnu and also guest directed by Deva Katta for 9 days of the shoot, the film is produced by Manchu Vishnu under the banner 24 Frames Factory featuring himself, Pranitha Subhash, J. D. Chakravarthy in pivotal roles. It is the official Tamil remake of Arima Nambi. Stunts and actions co-ordinated by Vijayan who also directed the film along with Vishnu Manchu after Deva Katta walked out of the project due to creative differences.
1
Hero falls for heroine but he has issues with her brother.
0
A young woman awakens to find herself inside the four walls of a garage. Walls that appear innocuous like much of the places in a large metropolis, but which now separate her from everyone and everything. In this small space, an automobile emits carbon dioxide; a gas which one inhales without noticing every day when on the street. A gas that seems harmless, but inside this place, becomes deadly as it saturates the environment. The woman is no different from many others, affections, work, projects for the future, except for the fact that she is suddenly deprived of her freedom. Something which, up to now, has been unthinkable for her. Exactly at the moment she has decided to make a change in her life. The person who has closed her inside the garage is an unknown stranger who knows everything about her, and her past. Above all, the thing which is the most important to her in the world: a young daughter who is waiting for her at home. The reason for her imprisonment is not revealed. Only the amount of time available to her in order to save herself.
2
A confused groom and his friend get booked by a cop while they are on the way back from a bachelor party.
-1
Children overcome obstacles to play soccer in a tournament in Colombia.
-1
An eccentric police officer patrols a remote hiking trail in hopes of making a new friend... but is he who he appears to be?
-1
Mathivanan relocates to Australia as a result of his job transfer. There he meets an Australian girl, Emily played by Melissa and falls in love. Meanwhile, Australia Police are in search of Emily who is claimed to be missing for the past 10 days. Meantime, Police find Emily’s dead body that was killed and buried in Vijay’s garden and hence he is arrested. Emily’s postmortem report says that she was murdered and was buried. Further it shocks the police as they find that Vijay had actually arrived at Australia, just a day before Emily’s murder. As a result, Vijay is released by the police. Following which, Vijay is all set himself to find about Emily, that who was she actually, who would have murdered her and what would have been the reason behind it, how is it possible for a deal girl to meet and speak wit him.. Finally, all these investigations result to unfold many interesting and shocking informations.
-4
A Children's  film based on the science and technology, Motivated by Dr. APJ Abdul kalam ideology. A kid who has the potential to scale to great heights in the backdrop of Science and Technology
2
Through incisive conversations with key experts in history, archaeology, international law, political science and media, Body and Soul – The State of the Jewish Nation not only shows the undeniable historical connection between the Jewish People and the Land of Israel, but also succeeds in debunking the propaganda, myths and misinformation that have become deeply entrenched in public discourse.
-1
Jugni (Firefly) is the beat of the soul, the free-flying spirit. Jugni is Vibhavari (Vibs). Vibs is a music director, working on her first big break in the Hindi film industry. When work and home affairs, with her live-in boyfriend Sid hit a high tide, Vibs hits the road with a glint of hope; to find music. The journey takes her to a village in Punjab in the search of a Bibi Saroop, whose voice holds the promise that Vibs is searching for. But as the twist of fate would have it, Mastana, Bibi's son and a proficient singer himself, is the voice and man who winds his way into Vibs' heart. From here on, Jugni is about striking balances, making tough decisions while trying to soften the blows and dealing with the studied dramatic turns and unpredictabilities of life and finding the place which one can call home; home of the heart, where the firefly is at her brightest.
3
Pugazh, a young man, fights against a corrupt politician who wants to acquire the playground of his area, which he and his friends use for sports activities.
-1
Join Rainie on summer vacation and find a sugar rush adventure, when her mom is accidentally turned into a living candy. Now, Rainie & her pals must soar to the sweetest destination in the galaxy, Candy Planet, in hopes of turning her mom back. There they meet Gordon, a master of confections living in a cotton candy wonderland. He explains that everyone must pass the tartest of tests before they can reach the top level and free her mom. But when all of Rainie's friends are turned into candies, they face the sourest of circumstances, and must uncover an incredible secret along with the true meaning of friendship; before they can save themselves and the sweet inhabitants of... CANDY PLANET!
5
A car crash prevents Jeanine Markham, a world-renowned astrophysicist, from delivering her controversial lecture about her findings. The accident puts Jeanine at the cross roads of conscious and subconscious, between Comatose and awake as she struggles to live. But even in her vegetative unresponsive state, her mind, slipping between the two realities, continues her quest to deliver the truth. For Jeanine's husband and others, accepting the irrefutable proof that she presents is unthinkable - that we're alone in the universe, that no deity hears or answers our prayers nor punishes our sins, that humanity is entirely the product of random events, and that our sufferings, indeed our lives and loves are ultimately pointless. Her journey, stuck between the two worlds, becomes shrouded by dark and mysterious events that create a whirlwind of tumultuous emotions and terrifying realizations.
-12
Jermaine Former performs live from the DC Improv. Features interviews with family and friends.
0

0
Filmmaker and omnivore John Papola, together with his vegetarian wife Lisa, offer up a timely and refreshingly unbiased look at how farm animals are raised for our consumption. With unprecedented access to large-scale conventional farms, Papola asks the tough questions behind every hamburger, glass of milk and baby-back rib. What he discovers are not heartless industrialists, but America's farmers - real people who, along with him, are grappling with the moral dimensions of farming animals for food.
2
Ravi becomes the target of Bittu, a criminal, after he helps cops catch the latter committing robbery at a bank. And so begins a game of smarts between the two, and Ravi has to win it so that he and his family can stay alive.
1
Examines the diversity of wildlife found in three very different environments in the wilds of Northern Scandinavia.
-1
With no place to live, two strangers are stuck house sitting together. At odds, Mary and Homer soon realize the gravity of their situation and the necessity of joining forces, making money and pulling themselves out of the emotional hole they have lived in for years. This grounded romantic dramedy explores the hidden issues we all bury beneath the surface in a raw and touching way with humor and honesty. The cast includes, Josh McDermitt from The Walking Dead, Jim O’Heir from Parks and Recreation, Adam Lustick from Harvard Sailing Team, and Fortune Feimster from Chelsea Lately. Life in Color marks Katharine Emmer’s directorial debut. She also wrote, produced, edited and stars in the film.
0
An indie app developer struggles to navigate his friendship with a very taken girl, risking the loss of his best friend, business partner and career.
-1
A brother attempts to get his younger brother married to the girl he loves by kidnapping her, but the plan goes so wrong and results in messy situations...
-1
El Cholo, a Peruvian taxi driver, flees from justice in his country and comes to Venezuela in search for a better future. After running into a gang of con-men who leave him penniless, he meets a peculiar group of Latin Americans who work for a gangster known as The Russian as hitmen. El Cholo is quickly trapped in a world of blood and ambition that makes him realize the true cost of life and death.
-3
In his first hourlong comedy special, Brian Gaar tackles everything from the challenges of fatherhood, trying to keep his gamer cred in his 30s, and life in a certain small Texas town.  Brian has more than 80,000 followers on Twitter, and celebrity fans include: Patton Oswalt, Will Arnett, Seth Meyers, Jim Gaffigan, Andy Richter, Rob Delaney, Margaret Cho, Minnie Driver, Amy Schumer, Zachary Levi, Billy Eichner, Samantha Bee, Ike Barinholtz, Ryan Phillippe and Juliette Lewis.  Former “Saturday Night Live” head writer and current producer/head writer of “Late Night with Seth Meyers” Alex Baze called Brian one of his favorite Twitter joke writers. Likewise, Playboy recently named him one of the funniest people on Twitter.  "Jokes I Wrote at Work" was filmed live at the Spider House Ballroom in Austin, Texas.
0
Feel-good movie about a college life of couple of friends and the consequences of a turning point which changed the life of each one of them.
0
Institute of Ten-fold Mastery(Dash Mahabidyalay). It is an unbelievable college at Taskar Nagar. The syllabus includes Bank rubbery honours, pick pocket honours, snatching honours, filching honours, fake currency printing honours etc. The toppers of the present batch are Kartik (Shaswata Chattopadhya) and Ganesh (Biswanath Bose ) under the auspices of Principal, Dharmadas Maharaj (Kharaj Mukherjee). Dharmadas's devotion to make successful thieves from this institute is unquestionable. The duo Kartik and Ganesh have enrolled themselves to learn the greatest degree of all thefts.."heart-stealth". Thus they landed at the institute and became colleagues with Safai Lal, who is extremely aspirant and focussed to become future minister and thus joined to learn some tricks of the trade.
1
The action takes place in the 1960s over a period of nine months in a small Italian American community in the fictional mid-western town of Harmony, USA.
0
New York Times Best Seller and "Chelsea Lately" regular, Sarah Colonna, has some stories to tell and she doesn't care what you think. From how to get out of jury duty to online dating, Sarah does not disappoint in this new special.
0
Not every rags to riches story arrives via a clean cut straight and narrow path. Sometimes long after the rags have been replaced with Versace, the stench from the counterfeit mindset lingers longer than a starlet would like.
2
While the war raged on, Henry Kissinger, national security advisor to President Nixon, and Lê Duc Tho, member of Vietnam's Politburo, held secret meetings in France.
0
Sam and Ned Porter are little thugs, riding together and robbing banks. One night, Sam gets captured by mysterious bounty hunters who offer to keep him alive only if he turns his brother in. Redemption will come at a high price.
-1
A woman becomes the target of an obsessed killer after she helps the police bring down her dangerous drug dealer boyfriend.
-2
Mike Okafor is invited by his childhood friend and buddy, Adetunde George Jnr, to have DINNER and spend the weekend with him and his fiancée Lola Coker as they plan for their upcoming wedding. Mikey decides to come along with his girlfriend Diane Bassey, as he plans to propose to her. Things get out of hand when they arrive at Adetunde's house and they get to find out secrets about each other's relationship and the one person in the middle of it all.
0
Julian Leyzaola Perez, former military officer turned police chief, declared open war on the drug cartels in Tijuana, MX and Juarez, MX. Murder rates in both cities dropped, while outrage spilled over regarding human rights abuses committed by Leyzaola's police force. Are Leyzaola's hardball policies justified? What are his loyalties? In a society known for rampant political corruption at all levels, is it possible for a police chief to play a clean game?
-3
A strange man attempts to metamorpihize folks of a small town by using words, deeds, and logic - but change can be painful.
-2
When a family of travellers move to a rural town, conflict ensues amongst the locals. Stigmatised as 'gypsies', they are not welcomed into the community.
-1
November 1970. Several human remains appear in a torrent of Sant Miquel de Balansat, a small rural town in the north of Ibiza. Sergeant Prats, head of the Spanish Civil Guard in the area, and Corporal Ramirez, his new assistant, arrive at the place where the bodies have appeared. Prats is not particulary suprised with the discovery and reveals to newcomer Ramírez that the finding of human fragments is repeated year after year for two decades.
-1
Join five adventurous little bunnies as they set out to explore the world, discovering exciting new ideas, and learning about teamwork along the way.
2
Kate, Anton, and Keith, three young artists in New York's art scene of the early 1980s. An intimate glimpse into the creative and emotional lives of the young and carefree. They party, photograph, paint, sing, and play their way through the clubs and lofts of Alphabet City. The party ends in 1984 when Anton and Keith contract a mysterious illness known as the "gay cancer." As her music career takes off, Kate tries to save her friends.
0
Sankarabharanam is a remake of the Hindi sleeper hit - Phas Gaye Re Obama. The film tells the story of an NRI from America who is on the verge of bankruptcy. He finds out that he owns a palace in India and travels there to try and sell it. However, on his arrival, he gets kidnapped and then keeps getting passed on from one gang to another for higher sums of ransom. Here starts a crazy ride of that leaves everyone involved in it completely befuddled.
-1
Intertwining stories of inmates and ex-inmates through the complex labyrinths of freedom. Wretched, desolate and doomed men, who try to expiate their sins and piece together the lives they used to lead.
-3
A comedy directed by Alexander Peter Lercher.
0
From cardio to yoga to abs and booty, Julia Bognar will show you how it's done. You will be burning fat and toning up from head to toe, as some workouts in this program should be repeated throughout the 21 day challenge.
-2
Members of a drug ring and a bloodthirsty bear pursue a man and a woman through the Alaskan wilderness.
-1
Ng Kau Sau was once Queen in badminton, she gave up herself after being expelled from the sport. One day she met a brunch of terrible weirdoes: the Drunken Master who was lying on the ground, one-armed Lam Chiu, visually-impaired Ma Kun, and the scar-faced boss Lau Dan who suffered from loss of hearing. They were the most notorious robbers 10 years ago, but they decided to be good men after they got out from jail and formed the "Lau Dan Badminton Club". Sau was impressed by them and decided to join Dan and practice seriously and go to the competition together.
-3
A woman celebrates her 40th birthday by having her three best friends come and stay with her and her husband for a long weekend. This woman has been in a wheelchair for the past two years, and it has led her to isolate herself inside of her home. Her husband stands by her as he lives with the guilt of causing the car accident which put her in the wheelchair. Over the course of the three day celebration, it is revealed that everyone is struggling with their own lives and identities. When one best friend makes a terrible mistake and betrays the woman on her birthday, everyone is immediately and uncomfortably forced into looking at their own lives and their own limitations.
-4
This video is about Sapan's life and his anxiety issues and problems. Issues which some of us have too but gets unnoticed. He has done some great work here.
-3
Good Friday: in Mariotto, a small town in the Puglia region, everything is ready for the re-enactment of the Stations of the Cross, until Michael, the blond hairstylist scheduled to play Jesus, sits on the crown of thorns. It is the beginning of a turbulent journey. In the chaos that ensues, Ameluk is volunteered by the local priest to step in and play the part of Christ. The conflict? He is Muslim. The news spreads around the world, and public opinion - just like in Mariotto - splits into two sides. In a mixture of dramatic moments and comic situations, it will become Ameluk's job to glue the sides back together.
-1
In Peru, Sergio García Locatelli visits both those places where human life is fragile and personal fate is uncertain and those where death reigns, places where everything is already lost, where appeal is not possible. A walk in search of the meaning of death that is actually a celebration of life and the living.
-3
We now live in a disposable clothes society. We're wearing more man made fibres and buying more than clothes than ever before. Alex James is on a mission to discover why. From the environmental impact to back to the natural alternatives. He asks can anything slow down fast fashion?
0
A top cop (Madhusudhanan) with the help of a special team tries to arrest Veerappan (Navin) who is hiding in the forest. During the process, he kills a spy and therefore he is removed from the operation. He is moved into Police Training Academy.
0
Comedian Dov Davidoff delivers a stand-up performance at the Vic Theatre in Chicago. A dissection of misleading truths in today's culture is included.
-1
Twenty-three days before her wedding, Betsy McLean loses her sister to a stroke. The bride-to-be must take a journey of faith before she can walk down the aisle.
0
After being diagnosed with systemic lupus and forced to retire from professional boxing, Dusty Abrams must contend with his life outside of the ring.
-2
Basically a Christian version of Rocky
-1
Six individuals arrive on set to take part in an upcoming film production. But once they arrive on set, the rest of the cast and crew are nowhere to be found. Puzzled and confused, these six individuals quickly learn things aren't what they seem. A simple call time turns into a fight for survival as they become trapped on location by an unknown force that wants nothing more than to reveal their 7 deadly sins.
-5
Romeo is an unruly youth in his local village. He goes to London after seeing his dream girl on Facebook to win her heart.
0
A couple let their dark past choke their future.
-2
The movie is named after Karunas' famous character in his debut movie Nandha starring Suriya and Laila. Lodukku Pandi character in Nandha made him popular overnight. Karunas has previously done lead roles in films such as Dindugal Sarathy, Ambasamudram Ambani etc. The film is produced by G Pictures.
3
Hava's brothers decide to divide their paternal property. According to traditional customs, the right to inheritance belongs to male descendants only whereas Hava has no right to inherit. The eldest brother is obligated to find a husband for his sister. Hava must be married and live at her husband's house.
2
Ali and Meryem are an ordinary family on the face of it. Meryem has a child from a previous relationship with Ferit. When Ferit reappears years later, Ali puts his wife to a test of trust. While Meryem is caught between her sense of gratitude and the agony of love, Ali's self-esteem begins to crumble. Ferit's murder fans the flames of distrust between them. They are too suspicious of one another to talk. During the police questioning, they cling to one another once again. Complicity becomes the glue of trust between them. Now they are a proper family.
0
Dedicated to the famed UFO researcher Lt. Colonel (USAF Ret.) Wendelle C. Stevens, this epic documentary exposes decades of government disinformation, keeping knowledge of the extraterrestrial presence from the public: ongoing censorship and manipulation by the media, NASA's shocking evidence of intelligent extraterrestrial life, secret underground bases, genetic experiments, alien implants, cattle mutilations, reverse engineering of alien technology, and an ancient history of an ongoing alien presence on Earth. Extensive interviews reveal the political motivations for the lies, harassment and discrediting of UFO abductees and witnesses. Among the 36 world renowned UFO experts and whistleblowers are: the former prime minister of Canada the Honorable Paul Hellyer, President Carter's investigative consultants Daniel Sheehan and Alfred Webre, New York Times bestseller Jim Marrs, US Air Force Captain Robert Salas, Air Force Colonel/nuclear engineer Don Ware, UK Ministry of Defense spokesman Nick Pope, astronomer Jacques Vallee, professor/abduction researcher David Jacobs, nuclear physicist Stanton Friedman, and many more, including contactees and abductees.
1
An elderly piano teacher who lost his wife 35 years ago has yet to go through the grieving process. Because he has not done this, it comes back to affect him in many ways. He finds himself on a road to self destruction that will lead him to the ultimate cost. His dark regret will bring him to the precipice.
-4
Inquisitive Annie and her animal pals present this collection of colorfully animated nursery rhymes and pre-K concepts set to toe-tapping tunes. HooplaKidz presents popular nursery rhymes which will help children learn and have fun at the same time. These are specially handpicked classic nursery rhymes and children songs by HooplaKidz creator, designed to make your child happy.
4
There is always a lesson to be learned, but when a serial killer is involved, that lesson is only taught once.
-1
Gays in Prison is a documentary that puts Latrice Royale, popular star of RuPaul's Drag Race, front and center, as host, narrator and interviewer as she reveals her own experiences in jail and explores the stories of gay men in and out of prison. The film develops themes of redemption, lessons learned and, yes, even humor and love. The documentary also reveals gay prison pen pals and those on the outside finding love behind bars.
1
May 22nd, 2011. A powerful tornado cut a mile-wide swath through Joplin, Missouri, the costliest and one of the deadliest tornado disasters ever. What did scientists learn when they peered into the realm of this SuperTornado?
0
Live from Brighton, UK, Amazon Front Row presents Paul Weller at Great Escape. The award-winning and Multi-Platinum singer-songwriter performs songs from his new album Saturn's Patter, as well as classics songs.
3
A jobless boy is trying to escape with his girl, wrongly he took another girl of a city gangstar, the trio are going to face problems.
-3
Mike, Kevin and Bill riff the original cut of Time Chasers. Plus, a short of "Chimp the Fireman."
0
With Super Bowl 50 stealing the attention of regular late night fans, Taryn Spring, a sassy English live call show host is harassed by a 'bad caller'. A hostage in her own studio, the only way to get help is to get people watching.
-2
After suffering through an emotional heartbreak, a successful and career driven woman meets the man of her dreams while still trying to learn how to say no to her ex.
0
In a city plagued by crime, where the police or the laws mean nothing to the street gangs. One man after a freak accident has given super powers that he must use to defend his beloved city.
0
How did a collection of 27 compositions, letters, and narratives come to change the course of history? This feature-length film explores often controversial questions and debates at the heart of modern biblical studies. Who were the people that drove the spread of this seminal Christian text and how do modern scholars interpret the texts and other artifacts at the heart of this mysterious history.
0
Charming, charismatic and brutally honest, Erik Rivera is the hilarious best friend we all wish we had. I'M NO EXPERT brings his talents center stage as he riffs on relationships, fatherhood and his eccentric extended family. Since bursting onto the NYC comedy scene, Erik Rivera's name has become synonymous with comedy. Having appeared on The Tonight Show with Jay Leno, he was recently chosen as one of the Top 100 comedians to be invited to perform in the re-launch of NBC's Last Comic Standing. His boy-next-door good looks and unique perspective make him one of today's fastest rising young comedians.
7
After the accidental death of a massage client (that looks like a murder) and through a bizarre set of circumstances, two young men become serial killers for profit.
-4
A woman in despair meets a mysterious man under circumstances that she believes may be a case of divine intervention.
-1
The majority of premature deaths can be prevented through simple changes in diet and lifestyle. In How Not to Die, Dr. Michael Greger examines the fifteen top causes of death in America-heart disease, various cancers, diabetes, high blood pressure, and more. He explains how nutrition and lifestyle can sometimes trump prescription pills and other approaches, freeing us to live healthier lives.
-2
A short film about revenge and gangs in the streets of Manchester, England.
-1
When the Kratt brothers aren’t sure how to celebrate Halloween, they decide to go discover some “creepy cool” creatures. But after heading off find new animal friends, they learn Zach and the other villains are trying to ruin Halloween!
0
An actor in denial of his recent divorce retreats into the persona of a colonial scout and explores his new futuristic landscape.
-1
When a national tragedy turns into a personal vendetta for aspiring politician Cornelius Barlow, religion comes to the forefront of public debate. A national debate, like so many that disguise the real agenda by using words like: Uniting, Inclusion, and Co-Existing. 'ONE CHURCH' is a political thriller that tells the story of two prominent families that create a spiritual revolution. A transformation that demands all pulpits in America must preach this oneness of religion. Families are divided, churches are closed, and lives are even lost in the battle to reclaim the most important message ever given. Then God shows up in a big way by using the most unlikely people to defend His church. This is not an apocalyptic film, but a modern look at the current condition in America and the church.
3
Arjun and Karna, two happy-go-lucky friends who have resigned from their jobs, start a bad news delivery service and one of their assigments ends up in a marriage getting cancelled. And the bride happens to be the sister of Arjun’s girlfriend Anjali! Can they undo the damage?
-3
Ramachandran, a young man who is preparing for his IAS exam, battles his id, which keeps getting him into problems.
-1
After his wife is brutally murdered, a man takes to the streets and into the criminal underground to find her killers and exact revenge.
-4
Based on his hit YouTube series, BBC America’s Chris Harris on Cars offers Top Gear fans more time with breakout star and motoring journalist Chris Harris. Here he gets behind the wheel of the newest, fastest and coolest cars on the road, and takes viewers into the technical complexities of these stunning vehicles. Profiling some of the most exciting cars on the planet and testing them on road and track, the series will cover cars such as the Porsche 911 GT3 RS, McLaren 650S, Aston Martin GT12, Ferrari 458 GT, Ferrari 458 Spider, among many others.
5
A collaboration between Brooklyn musicians Jason Rabinowitz and Jacob Stein, The Pop Ups have been setting the standard for children's music since 2010. The two-time GRAMMY Award nominees for Best Children's Album go on an adventure to become part of the Great Pretenders Club in this unique and imaginative rock and roll puppet musical featuring live action and animation.
3
A group of college students, led by a newcomer, tries to win the university championship. But first, they must make a song and dance about their friendship.
2
When a rich Indian international student falls for a working class Australian girl, who is crazily in love with him. How will he handle the cultural differences and succeed in his love, against his parents' plans for his future?
2
Between personal obligations and training for his next big fight against an opponent with ties to his family's past, Adonis Creed is up against the challenge of his life.
-1
When CIA analyst Jack Ryan stumbles upon a suspicious series of bank transfers his search for answers pulls him from the safety of his desk job and catapults him into a deadly game of cat and mouse throughout Europe and the Middle East, with a rising terrorist figurehead preparing for a massive attack against the US and her allies.
-5
Closet witch Diana Bishop and centuries-old vampire Matthew Clairmont are drawn into a deadly mystery and forbidden romance when a magical book shows up in an Oxford library.
-2
It’s 1958 Manhattan and Miriam “Midge” Maisel has everything she’s ever wanted - the perfect husband, kids, and Upper West Side apartment. But when her life suddenly takes a turn and Midge must start over, she discovers a previously unknown talent - one that will take her all the way from the comedy clubs of Greenwich Village to a spot on Johnny Carson’s couch.
1
An ex-con becomes the traveling partner of a conman who turns out to be one of the older gods trying to recruit troops to battle the upstart deities. Based on Neil Gaiman's fantasy novel.
0
Sam Loudermilk is a recovering alcoholic and substance abuse counselor with an extremely bad attitude about, well, everything. He is unapologetically uncensored, and manages to piss off everyone in his life. Although he has his drinking under control, Loudermilk discovers that when your life is a complete mess, getting clean is the easy part.
0
Stephanie, a dedicated mother and popular vlogger, befriends Emily, a mysterious upper-class woman whose son Nicky attends the same school as Miles, Stephanie's son. When Emily asks her to pick Nicky up from school and then disappears, Stephanie undertakes an investigation that will dive deep into Emily's cloudy past.
0
A bright-eyed New York lawyer takes his first big case defending an eccentric poetry professor accused of murdering his wife.
-1
Heidi Bergman is a caseworker at Homecoming, a Geist Group facility helping soldiers transition to civilian life. Years later she has started a new life, living with her mother and working as a waitress, when a Department of Defense auditor questions why she left the Homecoming facility. Heidi quickly realizes that there's a whole other story behind the story she's been telling herself.
1
Saban's Power Rangers follows five ordinary teens who must become something extraordinary when they learn that their small town of Angel Grove — and the world — is on the verge of being obliterated by an alien threat. Chosen by destiny, our heroes quickly discover they are the only ones who can save the planet. But to do so, they will have to overcome their real-life issues and before it’s too late, band together as the Power Rangers.
1
Deliveryman Jongsu is out on a job when he runs into Haemi, a girl who once lived in his neighborhood. She asks if he'd mind looking after her cat while she's away on a trip to Africa. On her return she introduces to Jongsu an enigmatic young man named Ben, who she met during her trip. And one day Ben tells Jongsu about his most unusual hobby...
-1
A young man and his three younger siblings are plagued by a sinister presence in the sprawling manor in which they live.
-1
Ja-yoon is a high school student who struggles with memory loss after she endured some unknown trauma during her childhood. While trying to uncover the truth, she is unwittingly dragged into a world of crime and finds herself on a journey that will awaken many secrets hidden deep within.
-6
Mike Fallon, the Accident Man, is a stone cold killer.  When a loved one is murdered by his own crew, Fallon is forced to avenge the one person who actually meant something to him.
-2
Young American dancer Susie Bannion arrives in 1970s Berlin to audition for the world-renowned Helena Markos Dance Company. When she vaults to the role of lead dancer, the woman she replaces breaks down and accuses the company's female directors of witchcraft. Meanwhile, an inquisitive psychotherapist and a member of the troupe uncover dark and sinister secrets as they probe the depths of the studio's hidden underground chambers.
-3
A traumatised veteran, unafraid of violence, tracks down missing girls for a living. When a job spins out of control, his nightmares overtake him as a conspiracy is uncovered leading to what may be his death trip or his awakening.
-1
Pakistan-born comedian Kumail Nanjiani and grad student Emily Gardner fall in love but struggle as their cultures clash. When Emily contracts a mysterious illness, Kumail finds himself forced to face her feisty parents, his family's expectations, and his true feelings.
-3
In the menacing inferno of the old North-American West, Liz is a genuine survivor who is hunted by a vengeful preacher for a crime she didn’t commit.
-1
In 1981, an enthusiastic young adventurer follows his dreams into the Bolivian Amazon jungle with two friends and a guide with a mysterious past. Their journey quickly turns into a terrifying ordeal as the darkest elements of human nature and the deadliest threats of the wilderness lead to an all-out fight for survival.
0
Katja's life collapses after a senseless act impacts her. After a time of mourning and injustice, she seeks revenge.
-4
Leonardo Cagliostro, a policeman, dies and decides to stay on Earth in order to find out more about the circumstances of his death and to save his wife, Anna, who's in danger.
-2
The story of Jim Worth, an expat British police officer starting a new life with his family as police chief in Little Big Bear, an idyllic town near the Rocky Mountains. When his small town is overrun by migrant workers from a massive new oil refinery – the wave of drugs, prostitution and organised crime that follows them threatens to sweep away everything in its wake.
-1
The Élan School was a for-profit, residential behavior modification program and therapeutic boarding school located deep within the woods of Maine. Delinquent teenagers who failed to comply with other treatment programs were referred to the school as a last resort. Treatment entailed harsh discipline, surveillance, degradation, and downright abuse. Years later, the patients who were institutionalized in this facility still carry the trauma they endured, with mixed opinions on the impact of their experience.
-5
An epic drama set in 43AD as the Roman Imperial Army – determined and terrified in equal measure - returns to crush the Celtic heart of Britannia - a mysterious land ruled by warrior women and powerful druids who can channel the powerful forces of the underworld. Or so they say.
0
The story of the legalization and subsequent rise of the porn industry in New York’s Times Square from the early ’70s through the mid ’80s, exploring the rough-and-tumble world that existed there until the rise of HIV, the violence of the cocaine epidemic and the renewed real estate market ended the bawdy turbulence of the area.
0
Toronto’s only female private detective in the 1920s takes on the cases the police don’t want or can’t handle. From airplanes and booze running to American G-men, Communists and union busters, Frankie’s fearless sense of adventure gets her into all kinds of trouble, but she always manages to find her way out.
0
A feature documentary about the people and the planes that helped win World War War II. Through people personally connected to the events, the film investigates the story of how the Spitfire, its stable-mate, the Hawker Hurricane and its great adversary, the Messerschmitt 109 came into being during the huge advances in aviation in the interwar period—and then how the pilots fared in combat, three miles up in the skies over Europe, Africa and Asia.
2
With unprecedented access to the SAS secret files, unseen footage and exclusive interviews with its founder members, this series tells the remarkable story behind an extraordinary fighting force.
2
In a kingdom ruled by a young and unpredictable king, the military commander has a secret weapon: a shadow, a look-alike who can fool both his enemies and the King himself. Now he must use this weapon in an intricate plan that will lead his people to victory in a war that the King does not want.
0
The story of Elizabeth of York, the White Queen's daughter, and her marriage to the Lancaster victor, Henry VII. Based on the Philippa Gregory book of the same name.
0
In December of 1968, three astronauts traveled to the Moon. This is the story of their lives and the amazing story of how they became the first human beings to travel beyond the confines of planet earth and reach the Moon.  First to the Moon tells the amazing story of the Apollo 8 mission and the three men that crewed it. Through restored archival films from NASA, The National Archives, and the Astronaut’s own personal collections, this documentary takes you through time from the upbringing of each crew member and onward to present day.
3
A police raid in Detroit in 1967 results in one of the largest citizens' uprisings in the history of the United States.
-1
A story about Janina Duszejko, an elderly woman, who lives alone in the Klodzko Valley where a series of mysterious crimes are committed. Duszejko is convinced that she knows who (or what) is the murderer, but nobody believes her.
-3
A young autistic woman runs away from her caregiver in order to boldly go and deliver her 500-page Star Trek script to a writing competition in Hollywood. On an adventure full of laughter and tears, Wendy follows the guiding spirit of Mr. Spock on her journey into the unknown.
-1
After he and his first wife separate, journalist David Sheff struggles to help their teenage son, who goes from experimenting with drugs to becoming devastatingly addicted to methamphetamine.
-3
A comedian uses her troubled past as material for her stand-up routine, trying to rise up through the comedy circuit by playing Northern England's working men's clubs.
-1
A former serial killer with Alzheimer's fights to protect his daughter from her mysterious boyfriend who may be a serial killer too.
-2
A timid and socially alienated 17-year-old high school student's life is turned upside down when she switches places with her sinister mirror image.
-3
While James More is held captive by terrorists in Somalia, thousands of miles away on the Greenland Sea, his lover Danny Flinders prepares to dive herself in a submersible into the deep bottom of the ocean, tormented by the memories of their brief encounter in France and her inability to know his whereabouts.
-1
Things change massively at a girls' school in 1920s Sevilla when a new teacher arrives with a secret goal related to the academy itself.
0
Becca and Ron's marriage is in a rut; it's been months since they've been intimate. When their friends Mindy and Max tell them they've been experimenting with an open marriage and it's done wonders, Becca and Ron are reluctant to the idea. But they can't deny their curiosity and the two couples switch partners for a night of wild pleasure.
-1
Two sisters are trapped under the fiberglass cover of an Olympic sized public pool and must brave the cold and each other to survive the harrowing night.
-1
A young man who arrives at a remote island finds himself trapped in a battle for his life.
-1
Joanna Lumley returns to the country of her birth for a deeply personal journey around the vibrant and unique country of India, traveling its length and breadth, an immersive and extraordinary exploration of its diverse landscapes, varying cultural traditions and incomparable spirit. Along the way, she meets an eclectic mix of people and discovers how independence has shaped India into the constantly evolving and endlessly fascinating country it is today.
2
Justice Ruth Bader Ginsburg now 84, and still inspired by the lawyers who defended free speech during the Red Scare, Ginsburg refuses to relinquish her passionate duty, steadily fighting for equal rights for all citizens under the law. Through intimate interviews and unprecedented access to Ginsburg’s life outside the court, RBG tells the electric story of Ginsburg’s consuming love affairs with both the Constitution and her beloved husband Marty—and of a life’s work that led her to become an icon of justice in the highest court in the land.
6
Annie is stuck in a long-term relationship with Duncan – an obsessive fan of obscure rocker Tucker Crowe. When the acoustic demo of Tucker's hit record from 25 years ago surfaces, its discovery leads to a life-changing encounter with the elusive rocker himself.
-2
A documentary feature film about the biggest global corruption scandal in history, and the hundreds of journalists who risked their lives to break the story.
-3
A young man cares for his younger sisters after their mother is imprisoned for murdering their abusive father. When he strikes up an affair with a married woman, long-dormant family secrets bubble to the surface.
-2
A restaurant owner going over the edge when an armed robbery is attempted at his establishment. He holds everyone captive at gunpoint – criminals and customers alike – and situations corrode into a nightmare state, guided by manipulation and raw compulsion.
-5
When a Hong Kong police negotiator is informed about the sudden disappearance of his 16-year-old daughter in Thailand,  he travels there to search for her whereabouts.
0
It's the late 1960s, homosexuality has only just been legalised and Jeremy Thorpe, the leader of the Liberal party, has a secret he's desperate to hide.
-1
June and Oscar live a comfortable but very predictable wedded life when suddenly they find themselves in a completely unexpected situation, raising questions about love and marriage.
1
An ambitious young journalist uncovers the horrific slaughter of 22,000 Polish officers during World War II, a secret kept hidden for far too many years.
-1
The film tells the tale of a widowed film director who is in the middle of making a film about an atypical diplomat inspired by his brother. While he has started a new life with Sylvia, he still mourns the death of a former lover, Carlotta, who passed away 20 years earlier; then Carlotta returns from the dead, causing Sylvia to run away.
-1
As the characters gather together in a mountain cottage trying to fulfill each one's own purpose, a brutal war begins among them.
-1
An unscripted variety series from Mexico in which ten professional comedians compete for a cash prize by trying to make each other laugh. The one who refrains from laughing the longest, while forcing other contestants to laugh first, is the winner.
3
A couple goes on a weekend getaway to a cabin in the woods. What starts as a romantic weekend turns into a nightmare when they discover they are being watched by the cabin's voyeuristic owner.
0
Two feuding detectives hunt down a cop-killer who leaves a trail of broken lives across Sydney.
-1
A missing FBI agent reappears six years after being declared dead.
-1
It's a time when humans have spread across the solar system, colonizing planets and building new worlds. Rule of law has broken down on this new frontier, leaving justice in the hands of dangerous men and women who offer their services for hire.

Bounty hunter Dante Montana and his crew hunt criminals in deep space while searching for Dante's lost son, who was taken by a clan of outlaws years ago. The crew also struggle with their tormented pasts as dark forces change the universe around them.
-8
A man's life is derailed when an ominous pattern of events repeats itself in exactly the same manner every day, ending at precisely 2:22 p.m.
0
A true-life drama in the 1920s, centering on British explorer Col. Percy Fawcett, who discovered evidence of a previously unknown, advanced civilization in the Amazon and disappeared whilst searching for it.
0
A man who bears a striking resemblance to a renowned movie star becomes an obsessive fan, but when his fierce love is spurned by the star, he decides to destroy the star's life and reputation.
1
The iron-fisted Akhandanand Tripathi is a millionaire carpet exporter and the mafia don of Mirzapur. His son, Munna, is an unworthy, power-hungry heir who will stop at nothing to inherit his father's legacy. An incident at a wedding procession forces him to cross paths with Ramakant Pandit, an upstanding lawyer, and his sons, Guddu and Bablu. It snowballs into a game of ambition, power and greed that threatens the fabric of this lawless city.
-3
In this action-packed thriller, Liam Neeson plays an insurance salesman, Michael, on his daily commute home, which quickly becomes anything but routine. After being contacted by a mysterious stranger, Michael is forced to uncover the identity of a hidden passenger on his train before the last stop. As he works against the clock to solve the puzzle, he realizes a deadly plan is unfolding and is unwittingly caught up in a criminal conspiracy. One that carries life and death stakes, for himself and his fellow passengers.
-5
A championship high school basketball team provides pride, tradition and hope for an African American community struggling to survive in the middle of one of the wealthiest communities in America - The Hamptons.
0
In a world where everyone is striving for what is not worth having, no one is more determined to climb to the heights of English society than Becky Sharp.
3
In 2030 the world is in a permanent state of economic recession and facing serious environmental problems as a result of global warming.
-2
Working from the text of James Baldwin’s unfinished final novel, director Raoul Peck creates a meditation on what it means to be Black in the United States.
-1
The true story about fireman and public servant Mark Taylor who heard a special message from God about change in our nation. When Mary Colbert, a networker and connector of Christian ministries, heard Mark's message she felt called to start a national prayer movement which grew to thousands of people across our nation praying together for the leadership of America and a return to the Godly principles we were founded upon. The Trump Prophecy tells the story of Mark Taylor and Mary Colbert through the election of 2016 followed by a reflective time hearing from leaders in various sectors of faith, business, finance, military, and world affairs who respond with their perspective on what it takes to make America great again.
3
A period drama set in the 1970s, KGF follows the story of a fierce rebel who rises against the brutal oppression in Kolar Gold Fields and becomes the symbol of hope to legions of downtrodden people.
-2
This all-female horror anthology features four dark tales from four fiercely talented women.
0
Dong-chul and Ji-soo are a happily married couple. One day, Dong-chul comes home to find his house in disarray and his wife missing.
0
Inspired by one of the longest and bloodiest real-life events in police history, Officer Mike Chandler and a young civilian passenger find themselves under-prepared and outgunned when fate puts them squarely in the crosshairs of a daring bank heist in progress by a fearless team of highly-trained and heavily-armed men.
3
Two Mexican-American sisters from the Eastside of Los Angeles who couldn't be more different or distanced from each other are forced to return to their old neighborhood, where they are confronted by the past and surprising truth about their mother’s identity.
0
A group of journalists covering George Bush's planned invasion of Iraq in 2003 are skeptical of the presidents claim that Saddam Hussein has "weapons of mass destruction."
-2
Described as “a nightmare version of Cheers” (POV Magazine) and “one of the most captivating Australian documentaries in recent memory” (Cinema Australia), HOTEL COOLGARDIE is a gripping portrait of outback Australia, as experienced by two ill-fated backpackers who find themselves the latest batch of “fresh meat” to work as barmaids in a remote mining town.  Sometimes amusing, often confronting, the film has been applauded for its no-holds-barred, fly-on-the-wall storytelling, as it explores hot-button themes around misogyny and xenophobia via its depiction of two women attempting to adapt to living and working in a hyper-masculine, foreign environment.
3
An exploration of the Alien presence on Earth and the reality of suppressed free energy technology.
1
After deciphering a message found in a satellite, genius cryptographer Alex Jacobs finds himself being stalked by government agents and otherworldly beings.
1
The ambitious friends come together during the holidays after a mystery assailant targets one of their own. A comedic thrill-ride follows, as the wild and unpredictable Psych team pursues the bad guys, justice … and, of course, food!
-3
A headstrong young girl in Afghanistan, ruled by the Taliban, disguises herself as a boy in order to provide for her family.
0
Shocking historical accounts of otherworldly creatures visiting indigenous peoples reveal the disturbing truth about alien involvement on Earth.
-2
Rebellious Ki-soo from North Korea is mesmerized by tap dance in prison camps. Ki-soo joins as a team member of a dance team named ‘Swing Kids’. Yet suddenly, their dreams about dancing in prison camps are put in danger.
-3
After failing to apprehend the terrorist behind a Paris attack that claimed dozens of lives, CIA agent Alice Racine is forced to live in London as a caseworker. Her mentor unexpectedly calls her back into action when the CIA discovers that another attack is imminent. Alice soon learns that the classified information she's uncovered has been compromised...
-4
The social and class divisions in early 20th century England through the intersection of three families - the wealthy Wilcoxes, the gentle and idealistic Schlegels and the lower-middle class Basts.
2
A couple is going through marital troubles made worse when a previously unknown grandson shows up.
-3
The story of a young romance unfolding as a chemical reaction. There is no such love as 'First Love'.
2
Lexington, Kentucky, 2004. Four young men attempt to execute one of the most audacious art heists in the history of the United States.
-1
Three legends in the world of wine—Fred Dame, Steven Spurrier and Jancis Robinson—sit down in Paris to taste the rarest bottles of their careers. Dustin Wilson gathers the greatest blind tasters of today in New York City for a secret tasting similar to the original Judgment of Paris, with the goal to see if any of the world’s Pinot Noirs can stand up to the greatest Burgundies of France. In the end, both tastings cross with results that could change the world of wine forever.
1
Cara Rudland thought she’d left her Southern roots and troubled family far behind, but returns to the scenic Lowcountry of her childhood summers after losing her job in Chicago. There, she reconnects with her mother Lovie, who has been caring for her young, pregnant friend Toy in her charming beach house.
0
A viral video dredges up the sequined secrets of former calisthenics dynasty in Australia's first Scandi-noir comedy. With a tour de force performance of multiple characters by creator/writer Anne Edmonds.
0
At a pivotal moment for gender equality in Hollywood, successful women directors tell the stories of their art, lives and careers. Having endured a long history of systemic discrimination, women filmmakers may be getting the first glimpse of a future that values their voices equally.
0
Kingdom of Goguryeo, ancient Korea, 645. The ruthless Emperor Taizong of Tang invades the country and leads his armies towards the capital, achieving one victory after another, but on his way is the stronghold of Ansi, protected by General Yang Man-chu, who will do everything possible to stop the invasion, even if his troops are outnumbered by thousands of enemies.
0
A geologist races against time to save his estranged wife and two children when a devastating earthquake strikes Oslo, Norway.
-3
A murderous shapeshifter sets out on a blood-soaked mission to make things right with the woman he loves.
1
A notorious gangster Vedha surrenders himself to encounter specialist Vikram whom he challenges every step of the way by narrating his life events in the form of riddles that needs to be solved in order to capture him.
-3
An in depth look at the world of Parrot Heads, the loyal fan base of Jimmy Buffett.
1
On their 2010 tour, an International Pop Star and band mates mysteriously disappear. As past and present merge, they find themselves searching for answers and fighting for more than just their own lives when a concealed industry is revealed.
-1
May, 1980. Man-seob is a taxi driver in Seoul who lives from hand to mouth, raising his young daughter alone. One day, he hears that there is a foreigner who will pay big money for a drive down to Gwangju city. Not knowing that he’s a German journalist with a hidden agenda, Man-seob takes the job.
0
The true story of Marine Corporal Megan Leavey, who forms a powerful bond with an aggressive combat dog, Rex. While deployed in Iraq, the two complete more than 100 missions and save countless lives, until an IED explosion puts their faithfulness to the test.
1
When estranged brothers Adam and Clint attempt to reconnect over a week-long hunting trip in remote British Columbia, they find the tables turned by a mysterious presence lurking in the forest.  Convinced that they are now besieged by a supernatural presence, the siblings begrudgingly agree on only one thing: they will have to put aside their differences and work together if they plan on making it out these dark woods alive.
-3
Not long after John Chambers and his family arrive at their new home in a small country town of Pennsylvania, John begins to experience sleep paralysis. Lying there paralyzed, trapped within his own nightmare, other-worldly beings visit John. They are entities which exist in the darkest shadows of the night and can only be seen out of the corner of one's eye. These encounters begin to haunt John, transforming to complete terror as he discovers the entities' sole purpose... the abduction of his seven year old son. In the end, John will uncover the town's horrific secret, a portal on his land, and make one last attempt to save his son before the shadow people permanently take him away to their world.
-7
Two would-be thieves forge a surprising relationship with an unexpected housesitter when they accidentally trap themselves in a house they just broke into.
-3
Krystal and her twin brother/roommate confront twenty-eight years of their codependency when they start dating the same guy.
-1
Four twenty-year-olds travel from Chicago to New York on skateboards. Fueled by youthful ignorance, the four navigate America's landscape through a maze of wrong turns and unfortunate circumstances.
-2
Created over 75 years and three generations, Les Quatre Vents stands as an enchanted place of beauty and surprise, a horticultural masterpiece of the 21st century. See how Frank Cabot gave birth to one of the greatest gardens in the world.
3
When troubled 12-year-old Jacob Felsen is sent away to boarding school, he enters every kid’s worst nightmare: a creepy old mansion, deserted except for six other teenage misfits and two menacing and mysterious teachers. As events become increasingly horrific, Jacob must conquer his fears to find the strength to survive.
-9
A bright, talented and lonely long-distance runner twists her ankle as she prepares for the Olympic Trials and must do something she's never done before: take a day off.
0
A policeman dies chasing a serial killer and is reincarnated in another policeman five years later, granted immortality in exchange of never revealing his true identity.
-1
Maria Irene Fornes is “America's Great Unknown Playwright.” When she stops writing due to dementia, a friendship with a young writer reignites her visionary creative spirit, triggering a film collaboration that picks up where the pen left off.
2
Six Dreams is an exclusive and unprecedented insight into the Spanish first division of football. Follow six people during league season 2017-18: Three players, one coach, one sports director and a club president. Their stories offer an inside look at the daily difficulties, victories and challenges of professional football at the highest level.
0
10-year-old Bart Millard lives with his mother and abusive father Arthur in Texas. One day his mother drops him off at a Christian camp where he meets Shannon. Upon his return from camp, Bart finds his mother has left and movers are removing her belongings. He angrily confronts his father, who denies that his abusiveness was the reason she left. Years later, in high school, Bart and Shannon are dating. Bart plays football to please his father but is injured, breaking both ankles and ending his career. The only elective with openings is music class, so he reluctantly signs up.
-5
With the discovery of an ancient puzzle box, a Boy, with the help of his friends, begins an adventure to find his fortune.
1
Brosettes rejoice! Matt and Luke Goss take on the big screen - and each other - in this candid documentary charting the twin pop sensations' stormy reunion.
1
The black sheep of the Argyll family, Jack Argyll, was accused of murdering their matriarch a year ago, but now a man shows up on their doorstep claiming Jack’s innocence. The family must come to terms with this news and the fact that the real killer might still be among them.
-1
Despite his best intentions, billionaire Jason Stevens can’t find enough time to keep his beloved Alexia a priority. But when he discovers his late grandfather’s journal, he is transported back to Red Stevens’ incredible world. With everything he loves hanging in the balance, Jason Stevens hopes the past will prepare him well for the future.
6
Two professors team up to locate a lost treasure and embark on an adventure that takes them from a Tibetan ice cave to Dubai, and to a mountain temple in India.
-1
Humans have created many stories. Joy, sadness, anger, deep emotion. Stories shake our emotions, and fascinate us. However, these are only the thoughts of bystanders. But what if the characters in the story have "intentions"? To them, are we god-like existences for bringing their story into the world? Our world is changed. Mete out punishment upon the realm of the gods. In Re:CREATORS, everyone becomes a Creator.

(Source: ANN)
-1
When Kirby Lane's SUV breaks down in the middle of the desert, she must overcome the dehydration, coyotes, and lurking undead to find her way home.
-3
An unsettling and eye-opening Wall Street horror story about Chinese companies, the American stock market, and the opportunistic greed behind the biggest heist you've never heard of.
-3
Ronnie Coleman is known as "The King" and for good reason. He is the 8x Mr. Olympia champion in the world of bodybuilding - sharing the world record for most Olympia wins. Now retired, he has undergone over 6 surgeries leaving him unable to walk without crutches but his desire to train like a pro bodybuilder has not dissipated. Exploring the history of his career as a bodybuilding legend and following his journey to recovery; for the first time ever discover the true man behind The King.
4
Having died unexpectedly, firefighter Ja-hong is taken to the afterlife by 3 afterlife guardians. Only when he passes 7 trials over 49 days and proves he was innocent in human life, he’s able to reincarnate, and his 3 afterlife guardians are by his side to defend him in trial.
-2
As a young New York couple goes from college romance to marriage and the birth of their first child, the unexpected twists of their journey create reverberations that echo over continents and through lifetimes.
-2
Thomas Riedelsheimer’s landmark Rivers and Tides inventively documented artist Andy Goldsworthy as he created his wondrously ephemeral site-specific sculptures, spun from nature. Fifteen years later, Goldsworthy is still appealingly engaged in his philosophical and tactical exploration of the natural world. Leaning Into the Wind is a collaborative sequel—a visual and aural sensation that takes viewers into the hillsides, terrains, and other outdoor spaces where Goldsworthy feels most at home and inspired.
1
Nature made Ash Lynx beautiful; nurture made him a cold ruthless killer. A runaway brought up as the adopted heir and sex toy of "Papa" Dino Golzine, Ash, now at the rebellious age of seventeen, forsakes the kingdom held out by the devil who raised him. But the hideous secret that drove Ash's older brother mad in Vietnam has suddenly fallen into Papa's insatiably ambitious hands—and it's exactly the wrong time for Eiji Okamura, a pure-hearted young photographer from Japan, to make Ash Lynx's acquaintance.
-8
Four young kids who live in a village of military officers families, form a small gang. An old abandoned army base, located in the surrounding fields, turns into their camp. A war begins and most men are drafted. When the kids return to their camp they discover two soldiers who deserted their units, using their camp as a hideout...
0
In the California apple country, 900 migratory workers rise 'in dubious battle' against the landowners. The group takes on a life of its own—stronger than its individual members, and more frightening. Led by the doomed Jim Nolan, the strike is founded on his tragic idealism—'courage, never submit, or yield'.
-4
Samantha has lived her whole life in different foster homes. Now living in a small town, she never feels like she quite fits in, even with her own current foster family who might adopt her, or the boy who follows her around doing her classwork. So, it’s perhaps natural that she doesn’t know what to do with a curious tagalong little sister named Olivia. One day, Sam callously ditches Olivia, who wanders off into the woods on her own and disappears.
1
Reviewing not just exclusive and state-of-the-art vehicles, but also the cars of America’s culture-defining past.
1
Two children raised by single parents want to enjoy the happiness of a complete family. To achieve this, they try to unite their parents, but end up in trouble.
1
Raja is a blind man who's trained by his head constable mother to use his disability to his advantage. Lucky is the pampered daughter of a police officer and they're each other's whole world. What happens when Lucky's world is shaken by a goon Deva? How does Raja fit into this picture?
2
Wanda's world has been turned upside down when her teenage daughter Nina suddenly turns up in a hijab. Secretly, Nina has converted to Islam; she exclusively eats halal, strictly observes the prayer times and wishes to be called Fatima. Mother of a liberal Viennese patchwork family, Wanda is appalled; she has always strongly stood against religious fanaticism. However, all attempts to make Nina see reason fail. To make matters worse, Wanda’s ex-husband has just fathered a child with his latest wife, and Wanda begins to yearn for a time when her only problems were her daughter’s truancy and pot smoking. When she meets Hanife, the mother of Nina's Muslim girlfriend, she finds an ally. Hanife, who immigrated to Austria as a child, is determined to save her daughter from the extremely old-fashioned image of women, which Nina is enthusiastically preaching. Eva Spreitzhofer's culture-clash comedy negotiates a highly topical theme with playful ease.
-3
Train to Zakopané is true love story that lays bare how compassion and intolerance can, even in the most unusual of circumstances, be one. Written and directed from his long-running play by Henry Jaglom and adapted for film together with producer/editor Ron Vignone, the film reveals humanity in the most unlikely of places: prejudice. The film is based on true events that occurred in the life of Henry Jaglom's father as he crossed Poland on a train in 1928. Anti-Semitism was, at that time, rife in much of Europe, especially in Poland. In Train to Zakopané, a successful young Russian businessman meets a captivating nurse in the Polish army on a train-trip to Warsaw and is faced with a life-changing dilemma when he discovers that the nurse he is drawn to-and who is enchanted by him-is fiercely anti-Semitic. Will he reveal to her he is Jewish? Will he move toward love, or will he move toward revenge? The actual train-ride across Poland-and the weekend stopover in the resort town of Zakopané that followed-haunted Henry Jaglom's father for a lifetime.
-1
A young girl is raised in a dysfunctional family constantly on the run from the FBI. Living in poverty, she comes of age guided by her drunkard, ingenious father who distracts her with magical stories to keep her mind off the family's dire state, and her selfish, nonconformist mother who has no intention of raising a family, along with her younger brother and sister, and her other older sister. Together, they fend for each other as they mature in an unorthodox journey that is their family life.
-2
That’s right, honey! A decade after their unforgettable eight-season run, comedy’s most fabulous foursome is back.
3
An ornithologist who commits suicide returns as fifth force to wreack vengeance on mankind for harming birds with mobile phone radiation. The only thing that is standing in his way is 2.0, the upgraded version of Chitti, the robot.
-1
When Zaza, headliner of a weekly drag show, 'CHERRY POP', refuses to come out of her dressing room, all hell breaks loose backstage. A young newcomer, The Cherry, is hiding a huge secret from the girls while getting ready for his debut performance.
-4
Set in the wake of unknown catastrophe which has resulted in an adult-free community being led by a cabal of former high school jocks.  After two members set out on a dangerous journey into the unknown to find family and hope for the future, Caleb and his vicious underling Gentry follow in hot pursuit.
-3
It has been five years since Laura and Carmilla vanquished the apocalypse and Carmilla became a bonafide mortal human. They have settled in to a cozy apartment in downtown Toronto, Laura continues to hone her journalism skills while Carmilla adjusts to a non-vampire lifestyle. Their domestic bliss is suddenly ruptured when Carmilla begins to show signs of "re-vamping" – from a fondness for bloody treats to accidental biting – while Laura has started having bizarre, ghostly dreams. The couple must now enlist their old friends from Silas University to uncover the unknown supernatural threat and save humanity – including Carmilla's.
-3
After being uprooted by his parents' separation and unable to fit into his new hometown, a teenager stumbles upon a magical app that causes his social media updates to come true.
-1
Today, you're more likely to go to prison in the United States than anywhere else in the world. So in the unfortunate case it should happen to you - this is the Survivors Guide to Prison.
-2
A British Special Boat Service commando tracks down an international terrorist cell.
0
A black police officer is pushed to the edge, taking out his frustrations on the privileged community he's sworn to protect.
1
When Narumi, an office lady who hides the fact that she is a yaoi fangirl, changes jobs, she is reunited with Hirotaka, her childhood friend who is attractive and skilled but is a hardcore gaming otaku. They decide to start dating for now, but being otaku, both of them are awkward so a serious romantic relationship is rather difficult for them...
1
It takes BALLS to win. At least that's what the local bowling clubs in idyllic Warroad, Minnesota used to say, before Emily came along. Now that she has returned to resurrect her name on the champion's board, Gunnar and the boys in town are polishing up their equipment for another shot at the title. This screwball ensemble mockumentary captures Emily's return from retirement, to avenge her loss to Gunnar, and bring justice to her family name. It's gutter-ball madness where split happens.
-1
Inspired by the true events of the infamous 1983 prison breakout of 38 IRA prisoners from HMP Maze, which was to become the biggest prison escape in Europe since World War II.
-4
A fascinating docuseries chronicling Playboy magazine’s charismatic founder, Hugh Hefner, and his impact on global culture. Told from his unique perspective with never-before-seen footage from his private archive, discover the captivating story about the man behind the bunny.
3
An aging King invites disaster, when he abdicates to his corrupt, toadying daughters, and rejects his loving and honest one.
-1
This anthology series brings to life Aaron Mahnke's “Lore” podcast and uncovers the real-life events that spawned our darkest nightmares. Blending dramatic scenes, animation, archive and narration, Lore reveals how our horror legends - such as vampires, werewolves and body snatchers - are rooted in truth.
-1
A modern-day movie adaptation of William Shakespeare’s "A Midsummer Night’s Dream". The new version takes place in present-day Hollywood where fantasy and reality collide. It’s set in a world where glamorous stars, commanding moguls, starving artists and vaulting pretenders all vie to get ahead.
1
An epic portrayal of the events surrounding the infamous 1819 Peterloo Massacre, where a peaceful pro-democracy rally at St Peter’s Field in Manchester turned into one of the bloodiest and most notorious episodes in British history. The massacre saw British government forces charge into a crowd of over 60,000 that had gathered to demand political reforms and protest against rising levels of poverty.
-4
A famous crime writer becomes a victim after a crazed fan brutally attacks her. She isolates herself in her apartment, trying to cope and get on with her life, but starts to experience increasingly strange events. It doesn’t take long before she is convinced that her attacker is back and stalking her.
-3
A floating city on the sea, the MSC Seaside is one of the biggest cruise ships in the world. With privileged access to every part of the cruise's operation, this film uncovers the army of people and complex systems that keep this extraordinary ship at the top of its game. Full of surprising facts, this captivating program reveals life on board in a way that viewers have never seen before.
3
Exploring political and personal disasters of recent years with absurd characters, mischievous improv and a healthy dose of bigot baiting, Dublin born Maxwell is one of those class stand-ups who’s stylistic simplicity only heightens their skilful aplomb.
-2
The story of two sisters on a journey, where they try to get close to each other and approach the tough questions in life. Euphoria is a contemporary drama about responsibility and reconciliation, in a world where these concepts are gradually being lost.
2
An eccentric mountain man on the run from the local sheriff recalls the mysterious events that brought him to his present fugitive state.
-3
Ananya revolves around the ghost of a child and her mother. When a women enters their house which is haunted by their ghost, strange things starts happening around the women. What happen next? How did she die forms the crux of the story.
-2
When a young man learns that his overbearing father is having an affair, he tries to stop it, only to be seduced by the older woman as well.
0
After being whisked away to Los Angeles by a handsome Hollywood star, Katie is left alone in his apartment, where strange and scary things begin to happen.
-1
A mother and her son plan a surprise visit to Los Angeles to see her husband/his father. Halfway there they get into a terrible accident in the middle of nowhere and now must fight to survive.
-1
A group of low-level employees take control of a major corporation after accidentally killing their boss.
-1
A dysfunctional family awake on Christmas morning to discover they’re sealed inside their house by a mysterious black substance. On television, a single line of text reads: “Stay Indoors and Await Further Instructions.”
-1
An in-depth and intimate portrait of Coldplay's spectacular rise from the backrooms of Camden pubs to selling out stadiums across the planet. At the heart of the story is the band's unshakeable brotherhood which has endured through many highs and lows.
2
When Ryan mysteriously inherits a house from his biological father, a man he thought long dead, he and his pregnant fiancé travel to the property with high hopes for the future. But curiosity about his deceased father leads Ryan to uncover a dark family history...
-2
After waking up to find himself all alone in an apartment where a massive party was being held the night before, Sam is immediately forced to face a terrifying reality: the living dead have invaded the streets of Paris.
-1
After a botched robbery escalates to homicide, a north Philly gun runner has to escape or outsmart the south Philly Italian mob as they close in for vengeance.
0
A man and a woman meet in the ruins of post-war Poland. With vastly different backgrounds and temperaments, they are fatally mismatched and yet drawn to each other.
-2
The story of a young boy in the Midwest is told simultaneously with a tale about a young girl in New York from fifty years ago as they both seek the same mysterious connection.
-1
Legendary coach Pep Guardiola leads his Manchester City team through the 2017-18 football season.
3
Steven Gerrard became perhaps the greatest player in the history of Liverpool FC, but did so when success and trophies were declining. It became his personal mission to lift the famous club back to the top. That loyalty raised him to God-like status with Liverpool fans, but was an unbearable burden, bringing with it a profound sense of responsibility to live up to their and his own expectations.
4
A story set in Indochina in 1959, a lawless land controlled by the criminal class: Vietnamese warlords and European war-criminals. Den-Dhin-Chan Labor Camp is run by four such dangerous men. The worst prison in the land, it is here that an Irish, former-champion boxer Martin Tillman has made a name for himself fighting tournaments, on which wealthy criminals gamble in high stakes events. When Tillman is due for release, he just wants to return home, but the corrupt forces running the jail will do everything in their power to keep him locked down. When all that Tillman holds dear is taken away in a vicious act of violence, he is forced to confront the men responsible and take his revenge.  The birth of a legend.
-9
An art history lecturer, unfairly disgraced for refusing to certify a suspicious painting, endeavors to set the record straight by exploring the mystery of a 16th-century artist using a diary that may lead her to the genuine painting.
-3
During the “Made in Germany” tour, Swedish director Jonas Åkerlund filmed two acclaimed Rammstein concerts in March 2012 – each for an audience of 17,000 at the Bercy Arena in Paris. In the resulting film (with 16 songs from the entire repertoire),
1
Lee, a former Western film icon, is living a comfortable existence lending his golden voice to advertisements and smoking weed. After receiving a lifetime achievement award and unexpected news, Lee reexamines his past, while a chance meeting with a sardonic comic has him looking to the future.
1
A victim of the Boston Marathon bombing in 2013 helps the police track down the killers while struggling to recover from devastating trauma.
-3
The true story of the infamous prison break of Gary Tison and Randy Greenwalt from the Arizona State prison in Florence, in the summer of 1978.
-4
Ancient Korea, 17th century. While the paranoid King Lee Jo of Joseon, vassal of the Qing dynasty, feels surrounded by conspirators and rebels, a dark evil emerges from the bowels of a merchant ship and the exiled Prince Lee Cheung returns to the royal court, ignoring that he will have to lead the few capable of defeating the ambitious humans and the bloody monsters who threaten to destroy the kingdom.
-4
1933. Hercule Poirot, older and greyer, receives letters threatening murder. The sender signs themselves only as “A.B.C.” When he takes the letters to the police looking for help, Hercule finds all his old friends have moved on. But soon there is a murder and the once-great detective must take matters into his own hands.
-3
Plagued by the abuse of her past and the turmoil of failed intimate encounters, Laura struggles to find a lover and a sense of normalcy. Her beacon of hope comes in sixteen year-old Eva, a talented pianist disillusioned by the life her mother imposes upon her. An unlikely relationship is formed between the two and Eva becomes an obsession to Laura. In light of Eva's unhappiness, Laura convinces her to runaway to her house and they soon find themselves caught within an intense entanglement. Manipulation, denial and codependency fuel what ultimately becomes a fractured dynamic that can only sustain itself for so long.
-7
During three years of unparalleled violence in Baltimore, Charm City delivers an unexpectedly candid, observational portrait of those left on the frontlines. With grit, fury, and compassion, a group of police, citizens, and government officials grapple with the consequences of violence and try to reclaim their future.
1
Laura Chant, 16, lives with her mother and four-year-old brother Jacko in a poor new suburb on the edge of a partially demolished Christchurch, New Zealand. Laura is drawn into a supernatural battle with an ancient spirit who attacks Jacko and slowly drains the life out of him as the spirit becomes ever younger. Laura discovers her true identity and the supernatural ability within her, and must harness it to save her brother's life.
-4
The Hong Kong police is hunting a counterfeiting gang led by a mastermind code-named "Painter" . The gang possesses exceptional counterfeiting skills which makes it difficult to distinguish the authenticity of its counterfeit currency. The scope of their criminal activities extends globally and greatly attracts the attention of the police. In order to crack the true identity of "Painter", the police recruits a painter named Lee Man to assist in solving the case.
0
An unsettling feeling overwhelms a small Hungarian town when two orthodox Jews arrive with a mysterious trunk. As residents begin to speculate on the purpose of the visit of these two strangers, order starts to crumble in town with some pursuing devious plans and others finding remorse in their hearts.
-7
In an attempt to flee Nazi-occupied France, Georg assumes the identity of a dead author but soon finds himself stuck in Marseilles, where he falls in love with Maria, a young woman searching for her missing husband.
-3
Tyrel joins his friend on a trip to the Catskills for a weekend birthday party with several people he doesn’t know. As soon as they get there, it’s clear that (1) he’s the only black guy, and (2) it’s going to be a weekend of heavy drinking. Although Tyrel is welcomed, he can’t help but feel uneasy in “Whitesville.” The combination of all the testosterone and alcohol starts to get out of hand, and Tyrel’s precarious situation starts to feel like a nightmare.
-1
India, 1918. On the outskirts of Tumbbad, a cursed village where it always rains, Vinayak, along with his mother and his brother, care of a mysterious old woman who keeps the secret of an ancestral treasure that Vinayak gets obsessed with.
-1
Grand Tours of Scotland's Lochs
1
Troubling circumstances bring forward three women who work together to plot their revenge against one common man who is responsible for destroying their lives.
-2
Ten budding stand-up comedians shortlisted through a nationwide hunt compete to become India's next big comic sensation.
1
THE IDOLM@STER.KR, set in the world of Korean entertainment production, stars Korean idols of course, as well as other Japanese and Thai hopefuls. Like the original game, the drama follows a group of young women as they embark on a career in the entertainment industry, and depicts their sweat and tears, their hopes and dreams.
4
As one art scene insider proclaims, the contemporary art world can be summed up as “rich people trying to prove how rich they are,” but is that all there is to this billion dollar industry? Well-researched and expertly constructed, Barry Avrich’s eye-opening documentary peels back the layers of the art world economy- from production to circulation, and delineates every integral player in the game of art-making, including curators, gallerists, collectors, donors, auction houses, and … artists. In the process, he unpacks the complex and surprising ecosystem that supports the art world superstars and million-dollar deals that make front-page news. Featuring extraordinary access to industry players and candid statements from prominent artists like Damien Hirst, Julian Schnabel, Taryn Simon, and Marina Abramovic, Blurred Lines collides the two narratives of the art world as both above and beholden to market forces.
6
Chun Chang Sheng was abandoned in a flowing river and plucked up by a Taoist monk. He’s actually the fourth Prince of the Chen’s Royal bloodline. He’s plagued with an incurable illness, fated not to live past the age of 20. To find a cure, he leaves his temple, armed with a promise of marriage scroll, to become a student at a famous academy. He meets Xu You Rong and they slowly fall in love after hopping through the trials and tribulations of his journey .
1
DescriptionA grief-stricken man takes a job as a mechanic at a small auto repair shop and soon becomes involved with a new ragtag family who need him every bit as much as he needs them.
0
A young college professor and his pregnant wife unwittingly release a malevolent entity with murderous intentions.
-2
Valentine's Day, 1900. Three schoolgirls and their governess mysteriously disappear in Hanging Rock, Australia, without a trace.
-1
Marta and Javier see no reason to find a mate and settle down until their biological clocks start ticking.
0
It's been generations since the Harkers' great-great grandfather killed Count Dracula. Now the Harker brothers and their best friend Ned are a town joke - until a real vampire turns up.
-1
Angel is released from juvenile detention on the eve of her 18th birthday. Haunted by her past, she embarks on a journey with her 10 year-old sister that could destroy their future.
0
In 1929 in the outback of the Northern Territory, Australia, Aboriginal stockman Sam kills white station owner Harry March in self defense. Pursued across the outback, him and his wife Lizzie go on the run through the glorious but harsh desert country.
-2
Let There Be Light follows the story of dedicated scientists working to build a small sun on Earth, which would unleash perpetual, cheap, clean energy for mankind. After decades of failed attempts, a massive push is now underway to crack the holy grail of energy.
-1
A group of swindlers unite to hunt down an infamous con man who was known dead, amid their hidden motives and deception.
-3
For the last two years, Fairclough and Porter have traveled to every inhabited continent on the planet with a simple goal: to show the world a new vision of mountain biking. Joined on this quest by a collection of the most progressive and influential riders that this generation of mountain biking has to offer, Fairclough and Porter have embarked on an all-out assault on the bleeding edge of the sport's limits. DEATHGRIP is a relentless mission to challenge the limits of creativity, technology, and the human potential. DEATHGRIP is a creative oasis for Fairclough and Porter - a place where the raw expression of Fairclough's riding ability is captured with the most progressive filmmaking technology against the backdrop of the most visually engaging locations in the world. The future is now. #DEATHGRIPMOVIE
1
In the decade since the world became aware of the existence of magic, the world has undergone massive upheaval. However, a boy named Tōta lives in seclusion in a rural town far removed from these changes. His ordinary life is highlighted by his magic-using female teacher and his supportive friends.
1
Seventeen-year-old Mugi Awaya and Hanabi Yasuraoka appear to be the ideal couple. They are both pretty popular, and they seem to suit each other well. However, outsiders don't know of the secret they share. Both Mugi and Hanabi have hopeless crushes on someone else, and they are only dating each other to soothe their loneliness. Mugi is in love with Akane Minagawa, a young teacher who used to be his home tutor. Hanabi is also in love with a teacher, a young man who has been a family friend since she was little. In each other, they find a place where they can grieve for the ones they cannot have, and they share physical intimacy driven by loneliness. Will things stay like this for them forever?
3
On this music competition show, some of the coolest musicians rejig, reshuffle and remix popular Bollywood songs. A singer and DJ team up to create a fresh spin culminating in a musical extravaganza.
3
Football star Charlie has the world at her feet. With a top club desperate to sign her, her future is seemingly mapped out. But the teenager sees only a nightmare. Raised as a boy, Charlie is torn between wanting to live up to her father's expectations and shedding this ill fitting skin.
-1
A reckless joyride into the darkest corners of popular music that delves deep into the mind of Mick Rock, the genius photographer who immortalized the seventies and the rise to rock stardom of many legendary musicians.
2
A single mum receives an anonymous text message, claiming her new boyfriend is having an inappropriate relationship with her 11 year old daughter. Over one weekend the accusation fractures the relationship between the couple.
-3
What is it like to be ageing men in contemporary young India? On one side, Indian uncles shouting. On the other side, selfies and Snapchat. Anuvab Pal tells us how middle aged Indian men delude themselves into wanting to be younger, and the tragedies that await them. As seen through his life as India’s most senior stand up comedian (pun intended).  Who said tragedy isn't comedy?
-2
An elite team of DEA agents are assigned to protect a dangerous drug lord and take refuge in a luxury hotel while they await extraction. They soon find themselves at the center of an ambush as the drug lord's former associates launch an explosive assault on the hotel.
-1
By gaining confidence and control over their lives, maybe even for the first time, Khloé Kardashian and a team of Hollywood's best trainers and glam squads help two individuals per episode re-create themselves.
3
A South American composer travels to India to search for the truth behind a poetic vision, written to him by a female painter and his mysterious journey to discover the source of his music inspiration.
1
An internet-dating playboy's life spirals out of control after meeting a woman online.
0
Kennedy Hansen is a funny, loving child but inexplicably she begins to fall. It takes years for the diagnosis… Juvenile Batten Disease, an extremely rare, terrible and terminal prognosis. There is no cure for Batten Disease and after living only sixteen years, Kennedy leaves behind a great legacy of love and friendship. But her story doesn't end at her death, that's when the miracles really begin. Based on a true story.
1
Riley is struggling to make friends after transferring to a new high school where her father, Chris, is an English teacher. When she meets Kyla, they quickly becomes close friends. However, the friendship takes a strange turn when Riley learns that Kyla is obsessed with her dad. Will Kyla successfully seduce Chris and start a twisted new life with him by removing everyone in her path, or will Riley be able to save her father from Kyla’s treacherous plot before it’s too late?
-4
A poignant drama that chronicles the unexpected friendship that develops between Cooper, a melancholy bartender, who at thirty-six still isn't sure what he wants to do with his life, and Daisy, an extremely bright but socially awkward girl in her early twenties.
-1
On the eve of a legendary dance club closing its doors forever, three friends prepare for an epic night of beats, connectivity and revelations.
2
Rosa is a single mother forced to become the “cleaning lady” for the mob. Her skills to spotlessly clean any crime scene keeps the mob safe until the detectives decide to investigate the chemicals.
2
With unprecedented access, this documentary follows the extraordinary journey of “Raqqa is Being Slaughtered Silently”—a group of anonymous citizen journalists who banded together after their homeland was overtaken by ISIS—as they risk their lives to stand up against one of the greatest evils in the world today.
0
Benny, a college freshman at the University of Akron, Ohio meets and falls for fellow freshman Christopher at a football game. With the support of their families and friends they embark on a new relationship. But a tragic event in the past involving their mothers soon comes to light and threatens to tear them apart.
-1
No Greater Love explores a combat deployment through the eyes of an Army chaplain, as he and his men fight their way through a hellish tour in one of the most dangerous places in Afghanistan and then as they struggle to reintegrate home.
-1
Filmed at the Hawaii Theater in Honolulu, Hawaii, Anjelah Johnson's fourth stand-up comedy special dishes on awkward massages, home invasions, spiders and being a full-grown child
-1
Ben Hall is drawn back into bushranging by the reappearance of his old friend John Gilbert. Reforming the gang, they soon become the most wanted men in Australian history.
1
A womanizer bets that he can get someone to accept his marriage proposal after dating them for just 30 days. What he doesn't know is that the woman he targeted has some serious commitment issues.
-1
Mexico, 1985. Juan and Wilson, two perennial Veterinary students, perpetrate an audacious heist in the National Museum of Anthropology, running away with a loot of more than hundred invaluable pieces of Mayan art, unaware of the consequences of their outrageous act.
-2
Henry Rollins waxes at a high rate of speed about the brilliance of RuPaul, meeting David Bowie, his weirdest shows, why women should rule and more in a live performance from Portland, Oregon.
1
Based on the Christa Worthington case. An out of work fisherman has an affair with a fashion writer wintering on the Cape. She returns two years later with his child, and when she is murdered, the fisherman is the prime suspect.
0
Four best friends from boarding school decide to attend a massive blow-out High School graduation party on Block Island. After missing the last ferry they decide to hire a fishing boat to take them on what should be a simple journey. What they get is the trip from hell, with a captain and his first mate that have no intention of taking the kids to Block Island, putting them into a fight to survive and to simply make it back to land... any land.
0
On August 16, 2013, the Supreme Court mandated the CIA to declassify files that had been kept secret for the past 75 years. Visual records of documented paranormal events were released to the public. The following incident took place in Gracefield, Quebec.
1
After a zombie apocalypse spreads from a London prison, the UK is brought to its knees. The spread of the virus is temporarily contained but, without a cure, it’s only a matter of time before it breaks its boundaries and the biggest problem of all… any zombies with combat skills are now enhanced. With the South East of England quarantined from the rest of the world using fortified borders, intelligence finds that the scientist responsible for the outbreak is alive and well in London. With his recovery being the only hope of a cure, a squad of eight Special Forces soldiers is sent on a suicide mission to the city, now ruled by the undead, with a single task: get him out alive within 72 hours by any means necessary. What emerges is an unlikely pairing on a course to save humanity against ever-rising odds.
-3
A murderous, flesh-eating undead young girl haunting the remote stretch of woods where she was murdered decades earlier, discovers a kidnapped and abused boy hiding in the trunk of one of her victim’s cars. Her decision to let the boy live throws her aggressively solitary existence into upheaval, and ultimately forces her to re-examine just how much of her humanity her murderer was able to destroy.
-6
After the early death of his wife, a mourning father moves with his teenage son across the country for a private school teaching job. Their lives begin to transform due to two unique women, who help them embrace life and love again
0
Documentary filmmaker R. Scott Cooper, on a mission to expose the dark side of Christian culture, infiltrates a small group.
-1
In this variety series, hosts Koji Imada and Koji Higashino pick up projects that were judged too difficult to produce on TV in today's world.
0
On vacation at a remote lake house, a mother and her two young daughters must fight for survival after falling into a terrifying and bizarre nightmare conceived by a psychopath.
-2
Two scientists raise three children contrarily to their genetic tendencies in order to prove the ultimate power of nurture over nature.
0
Abby and Mike are on a long road trip to her sister's wedding when they stop to camp out for the night. Soon they're lost in the woods and at the mercy of nature--and something more sinister.
-1
Raza, a young second-generation British-Pakistani man from London is coerced by Gabe, a counterterrorism officer, into informing.
0
Mita and Raj Batra, an affluent couple from Delhi’s Chandni Chowk, are grappling with getting their daughter admission into an English medium school. But there is one big problem. Their zubaan is Hindi, and the elitist snobs won’t let the Hindi speaking hoi-polloi fit in.
0
With much of America lying in ruins, the rest of the world braces for a global sharknado, Fin and his family must travel around the world to stop them.
-2
On the rocky path to sobriety after a life-changing accident, John Callahan discovers the healing power of art, willing his injured hands into drawing hilarious, often controversial cartoons, which bring him a new lease on life.
0
After Nick's girlfriend dumps him, his best mate Shane has the perfect antidote to his break-up blues: three days at an epic music festival.
0
A teenager living with her sister and parents in Manhattan during the 1990s discovers that her father is having an affair.
0
Three kids sneak into a closed-up amusement park after hearing rumors that infamous gangster Al Capone once buried treasure there. However, soon after arriving the attractions roar to life, and the kids must enlist the help of a witch in order to survive the night.
-2
Bear with Us is a crazy romp about a guy who attempts to propose to his girlfriend in the most romantic way possible, but his plan starts to fall apart when a Ravenous bear stumbles on their charming cabin in the woods.  Think "Jaws" but much funnier and with a bear instead of a shark. It's a total comedy of errors that takes a comical look at just how far we'll go to preserve our relationships.
-4
Middle-aged Max and Sara meet and fall for each other in Palm Springs, but their love story is cut short due to a sudden zombie outbreak. Max is not as mild-mannered as he appears, and has a history involving government-sanctioned hits, but one zombie he isn't able to kill is his darling Sara.
-3
After her father dies, a young woman returns to her Yorkshire village for the first time in 15 years to claim the family farm she believes is hers.
0
The film is based on a real story that happened in 1943 in the Sobibor concentration camp in German-occupied Poland. The main character of the movie is the Soviet-Jewish soldier Alexander Pechersky, who at that time was serving in the Red Army as a lieutenant. In October 1943, he was captured by the Nazis and deported to the Sobibor concentration camp, where Jews were being exterminated in gas chambers. But, in just 3 weeks, Alexander was able to plan an international uprising of prisoners from Poland and Western Europe. This uprising resulted in being the only successful one throughout the war, which led to the largest escape of prisoners from a Nazi concentration camp.
-2
An unprecedented journey into the world of Freemasonry.
0
The incredible tale of Mozart's Prague years.
1
A man, Joseph, loses his wife at sea, then spirals deep into a world of confusion. The wife's brothers' need revenge! Joseph tries to tell anyone who will listen that a whale killed his beautiful Annabel Lee, but even he doesn't quite remember the truth. A journey into the depths of his mind, a conversation with a whale and blood thirsty brothers.
-3
Jillian, a successful political consultant whose next big project is the upcoming mayoral campaign for her boyfriend, is on the way to meet George’s family for the first time. After an unusual confrontation with a toy store Santa, Jillian can’t stop herself from wildly spilling the truth. Jillian must find a way to make it stop before her holidays, her job and her relationship are ruined.
-4
Leila, a lonely young soul spends the night partying with her friends Nancy, David and Nash in a warehouse. As the boys drink up and smoke pot all social barriers between the sexes crumble. Leila, hit on by both men, hides away from them. Alone she senses there is someone else who wants her and certainly he is not of this world. A 200 year old Dracula escapes from a crate and reveals himself to Leila and tells her that she is his lost love. For him to live again and be with her, she must bring him the blood of her friends to drink and make love to him. Hypnotized by his sexual powers, Leila does as she is told. Leila and a handsome young Dracula get away and live happily ever after.
0
Eli and Daniel, two Korean American brothers who own a struggling women's shoe store, have an unlikely friendship with 11-year-old Kamilla. On the first day of the 1992 L.A. riots, the trio must defend their store—and contemplate the meaning of family, their personal dreams and the future.
-2
Posehn laments the recent loss of his heroes to death and just generally being horrible people. He also professes re-found love for a certain sci-fi franchise, and manages to rip on a few recent bands like the aging rocker he is. It's personal, silly, profane, dry and screwed up and sometimes all at once.
-5
As the deceased soul Ja-hong and his three afterlife guardians prepare for their remaining trials for reincarnation, the guardians soon come face to face with the truth of their tragic time on Earth 1,000 years earlier.
-1
Narumi is certain that Masaru will be kidnapped by wooden puppets with supernatural strength after fighting them with all his strength.  Masaru inherited his father's wealth which has brought many enemies out of the shadows, too many for Narumi to defend him alone. When Narumi is feeling discouraged, Masaru's watcher, Shirogane, arrives with a powerful weapon, the puppet Arlequin.
-2
Starring former world champions Bret Hart and Billy Graham, 350 Days is a true look behind the curtains at the grueling life they led on the road 350 days a year and the effect that lifestyle had on their marriages, family, physical and mental health.  Featuring Greg Valentine, Tito Santana, Paul “Mr. Wonderful” Orndorff, Abdullah The Butcher, Wendi Richter, Bill Eadie, Nikolai Volkoff, Stan Hansen, Angelo Mosca, Lex Luger, and more, this film also includes some of the last interviews ever done with George “The Animal” Steele, Jimmy “Superfly” Snuka, Ox Baker, The Wolfman, Don Fargo, and 99-year-old Angelo Savoldi.
2
Alex, is a twenty-something struggling to put his life back together after past, reckless mistakes render his job search hopeless. While pressure at home mounts from his pregnant girlfriend, he runs into an old friend who changes his fortunes. Just when things are looking up, Alex discovers a secret that sends him into a self-destructive, downward spiral and brings his two best friends along with him.
-3
Lives intertwine over the course of the Nuit Blanche art festival.
0
Robert Schlag, nicknamed "Beat", is a Berlin club promoter who lives for the excesses of sex, drugs and the city nightlife. His connections to the underworld lead the police to use Beat to try and infiltrate a notorious organ smuggling ring.
1
Following the death of their mother, an identical twin pulls away to establish her own independence, while the other unravels and plots to end her sister’s new beginning. Inspired by true events.
-2
There is no one left to protect us from what lurks in the dark. No one is coming to save us. THE MONSTERS HAVE WON. Our world now belongs to them. The Vatican's last line of paranormal defence The Congregation has finally been overrun by the supernatural forces of darkness. Our heroes are all dead; only the damned remain. Among them is Alberic Van Helsing addict, murderer, survivor and the creatures that were once his prey now hunt him across America. But when an apocalyptic evil is resurrected in the forests of Norway, it falls to Van Helsing to become the hunter once again if mankind and monster alike are to see the dawn. Van Helsing's quest for salvation and survival takes him through the ruins of a neogothic Europe, where he must face the vampire queen of the Vatican, a man-made monster with the heart of a storm, the lycanthropic lord of the forest, the mummified ruler of the slums of Cairo, and the crazed vampire demi-god who threatens to devour them all.
-8
Ciro Galindo was born on August 29th, 1952 in Colombia. Wherever he's gone, war has found him. After twenty years of friendship, I understood Ciro 's life sums up Colombia's history. As so many Colombians he is a survivor, who has run away from war for more than sixty years, and now dreams of living in peace. "Ciro and Me" is a journey to memory, seeking to give sorrow words; a journey, similar to that of Colombia in times of peace, in search to recover its dignity.
4
The passionate story of an elementary school student whose thoughts and dreams revolve almost entirely around the love of soccer. 11-year-old Tsubasa Oozora started playing football at a very young age, and while it was mostly just a recreational sport for his friends, for him, it developed into something of an obsession.  In order to pursue his dream to the best of his elementary school abilities, Tsubasa moves with his mother to Nankatsu city, which is well-known for its excellent elementary school soccer teams. But although he was easily the best in his old town, Nankatsu has a lot more competition, and he will need all of his skill and talent in order to stand out from this new crowd.

He encounters not only rivals, but also new friends like the pretty girl Sanae Nakazawa and the talented goalkeeper, Genzo Wakabayashi, who shares the same passion as Tsubasa, and will prove to be a treasured friend in helping him push towards his dreams. Representing Japan in the FIFA World Cup is Tsubasa’s ultimate dream, but it will take a lot more than talent to reach it.
14
As the eldest daughter of the Fang Conglomerate, Fang Yu was raised to become the sole successor of the company, yet she goes against her family's objections to pursue boxing and won the championship title at the young age of 18. On the other hand, Ming Tian comes from a poor family. He once stopped schooling for three years in order to work and he decided to apply for a sports scholarship despite not having any background whatsoever. Fang Yu was one of the first to see his talents and their relationship grows over time.
1
A serial killer is murdering school girls, and a newbie cop has to track him down before the victim count increases.
-1
The year is 2045, the continuing drug war has caused havoc between The United States government and Mexico. Gear Side International, a robotics engineering company loses a multi billion dollar government contract due to bad practices. On the brink of bankruptcy, they sell off their technology to the Malvado cartel on the black market. With the advanced military robotics technology in the wrong hands. The cartel uses it to their advantage; replacing their enforcers, hit men, and soldiers. The cartel eventually becomes a very powerful threat to The United States
-2
The long and unique tale of The Grateful Dead.
0
This comedy special is Griffin's magnum opus about the world, relationships and humanity as a whole. He celebrates his 30-year anniversary in comedy by being on stage and pulling laughter from his fans during the live taping.
0
Grammy nominated comedian Bob Saget returns to his home, on the stand-up stage. Filmed as a warm embrace in these troubling times, the comedy legend declares himself to be the last TV father you can trust in this R’ish rated hour of entertaining stories, riffing with the audience, words of wisdom, and new original comedy songs.
3
A functioning depressive, Bill Gotts (Casey Manderson) had a completely different vision when he imagined life in his thirties. The opinion columnist attempts to find his way through an early mid life crisis with the help of his over opinionated and equally flawed peers, to eventually conclude that he knows nothing. Though, that revelation may be the best step toward actually discovering something great in life.
0
B-Grade filmmaker Hariman shows up to shoot his horror film at an old haveli. Freak occurrences make the crew realise that they're not just shooting a horror film but are soon going to be living one.
-1
A socially awkward home-schooled kid forces his way into public-school against his suffocating but loving mother's wishes.
0
Deva gets introduced as an arrogant beast. An advocate fighting for proper judgment to shut down the corrupt industry, two struggling villagers who are trying their luck, a doctor and his loneliness and an ambitious PT teacher who plans to arrange money to build the unsteady school building by sending students to a reality show are introduced
-1
Lukas Franke finds himself a victim of a hacking attack, his online information altered to implicate him as having masterminded a cyber-attack on Berlin resulting in a city-wide blackout. Suspected as a terrorist, Lukas scrambles to find out why he's been targeted, as even his family and friends begin to doubt his innocence.
-4
In the Smug art world, innocence perishes. This is the discovery experienced firsthands by Penelope, a young woman who, after embarking on a series of insignificant relationships, arrives at a field of new experiences, some sort of moral abyss she will find herself trapped in more and more.
-4
A 16-year-old girl and her extended family are left reeling after her calculating grandmother unveils an array of secrets on her deathbed.
0
Northern Europe. 13th century. Last pagan settlement near the Baltic Sea. The evil and cynical warrior crusader Max von Buxhoveden is trying to destroy the pagan beliefs of the people by spreading lies and fostering dissent. Old king of the last free pagan lands is on his deathbed and without an heir to take his place. Max wants to take over the throne and reign over old king’s tribe. Unexpectedly, with his dying breath the King passes on his ring to his nephew Namejs. The youngster, who grew up amongst pagan priests and studied ancient wisdoms, now has to defend his people. Will he be able to unravel the secret of the Ring and gain its power?
-5
Harmony with A.R Rahman' is a curated exploration of the past and future of Indian music through the eyes of A. R. Rahman. India’s rich musical heritage is viewed through the prism of four specially curated instruments and vocal traditions, selected in order to represent the geographic and historic diversity of the country. The series will examine the traditions, the musicians and the locations.
2
When a group of Indian and Pakistani nurses are held hostage in Iraq by a terrorist organization, a secret agent is drawn out of hiding to rescue them.
-1
A sheltered London professor attempts to uncover the cause of his wife’s mysterious death in Hong Kong, traveling there after discovering she died in a car accident on the mountain roads of Tai Po.
-3
The Rolling Stones kicked off their 2015 North American tour at the Fonda Theatre where they performed the entire Sticky Fingers album.
-1
Michael and Madison Roland planned to spend the rest of their lives together, but Michael's controlling ways turn their perfect marriage into an abusive roller-coaster ride that no woman could survive. With the help of her best friend, Madison fakes her death to escape and start a new life — but soon realizes it's impossible to outwit her obsessive husband.
-2
Jai  is a patriotic man for whom the nation always comes first. He harbours the dream to work for the DRDO and wants nothing else from life. But what happens when an evil mastermind Keshav makes a plan to harm the nation?
0
An American businessman with a stake in a pharmaceutical company that's about to go public finds his life is thrown into turmoil by an incident in Mexico.
-1
When a colonial uncovers controversial intel about the government, he makes a shocking discovery and must decide whether to reveal it or risk his life.
-3
A college student joins the local diving club after meeting some rowdy upperclassmen. New adventures in booze and the ocean await.
0
A twin brother of the protagonist is absorbed due to Vanishing Twin Syndrome and controls his left hand. When his life is threatened, the twin brother that never existed protects him like a shield.
0
Thirty years after serving together in the Vietnam War, Larry "Doc" Shepherd, Sal Nealon and the Rev. Richard Mueller reunite for a different type of mission: to bury Doc's son, a young Marine killed in Iraq. Forgoing burial at Arlington National Cemetery, Doc and his old buddies take the casket on a bittersweet trip up the coast to New Hampshire. Along the way, the three men find themselves reminiscing and coming to terms with the shared memories of a war that continues to shape their lives.
-1
A vicious gang war for drug dominance draws in a disturbed Special Forces veteran John Bradley. Trying to adjust to normal life and haunted by inner demons of a violent past, the underworld's retribution on his last connection to humanity, a daughter and grandchild leads to a descent of fury and violence that not even the brutality of gangland is prepared for.
-5
Set in a near future where mining conglomerates have turned Canada into a wasteland. Two brothers must travel the same road that claimed their sister's life in their quest to deliver mysterious cargo. En route they must contend with road pirates, rebel gangs, and each other.
-2
Anne and Bob, a well-to-do American couple, have just moved to a beautiful manor house in romantic Paris. To impress their sophisticated friends, they decide to host a lavish dinner party, but must disguise their maid as a noblewoman to even out the number of guests. When the maid runs off with a wealthy guest, Anne must chase her around Paris to thwart the joyous and unexpected love affair.
6
A helicopter pilot and an environmental scientist lead a exodus of survivors in a search for a safe haven after a catastrophic tectonic event causes the crust of the earth to break apart.
1
A young boy finds a powerful otherworldly weapon, which he uses to save his older adoptive brother from a crew of thugs. Before long, the two of them are also pursued by federal agents and mysterious mercenaries aiming to reclaim their asset.
0
A dramatic comedy following a Korean American performance artist who struggles to be authentically heard and seen through her multiple identities in modern Los Angeles.
0
Set in China's underworld, this tale of love and betrayal follows a dancer who fired a gun to protect her mobster boyfriend during a fight. On release from prison 5 years later, she sets out to find him.
-1
When Rachel’s husband disappears, the police have one suspect: her. While trying to prove her innocence, she uncovers many secrets about the man she married.
-1
Four young Jews survive the Third Reich in the middle of Berlin by living so recklessly that they become "invisible."
-2
Siren has lived her life thinking she's an ordinary girl, in an ordinary town. On her 12th birthday, she learns that she's far from ordinary.
0
KrishnaDas is a gangster. The doctor tells das that he has a stomach cancer. Ajay dream to become a filmmaker. Keerthi is the niece of a film stars manager. Vishwa and Aishwarya breakup during shooting refuse to work. Das threatens Ajay and Keerthi to act together. How they complete the film and does Das realise the truth of his medical condition?
-3
A sleep doctor tries to protect a family from a demon that feeds on people in their nightmares.
-1
Alive and Kicking gives the audience an intimate, insider’s view into the culture of the current swing dance world while shedding light on issues facing modern American society.
1
A documentary film that takes us on a scientific and spiritual journey where we discover that by changing one's perceptions, the human body can heal itself from any disease.
2
Fernando Barrientos, Head of the National Security Directorate, Mexico's Secret Police, is trying to reach the highest position in the country. On his way, he'll have to manipulate, betray, and kill, and he's well prepared for it. However, his path will be full of obstacles. Nobody, not even his family, will be immune to the chaos left in his quest for total power.
-4
When Texas emerges as a hotbed for recruiting young talent into the professional paintball scene in early 2000s, a group of teenagers find a mentor, pledge to stick together, and in the process change the sport they love.
2
While sorting her dead grandmother's affairs, a young woman boards in a southern mansion and soon discovers the matriarch may desire more than just her company.
-1
Entirely shot on green screen, Shakespeare’s Macbeth has been reinvented by director Kit Monkman (The Knife That Killed Me) in an exciting new film adaptation. Starring Mark Rowley, (The Last Kingdom, Luther). Monkman’s unique adaptation successfully bridges the gap between theatre and film to create a wholly new type of imaginative space. This radical new adaptation puts the audience’s engagement with the story centre-stage, amplifying the theatrical context of the original and creating truly innovative and thrilling cinematic vistas, whilst maintaining the language and themes of Shakespeare’s original play. Using background matte painting and computer modelling to generate the world in which the action plays out, the green screen allows Monkman to create his vision of a multi-tiered globe in which the characters play out their various fates.
1
Meet Nikola Tesla, the genius engineer and tireless inventor whose technology revolutionized the electrical age of the 20th century. Although eclipsed in fame by Edison and Marconi, it was Tesla's vision that paved the way for today's wireless world. His fertile but undisciplined imagination was the source of his genius but also his downfall, as the image of Tesla as a mad scientist came to overshadow his reputation as a brilliant innovator.
4
What is supposed to be a marriage boot camp on a remote island turns into the ultimate test for survival when a 6-headed shark starts attacking the beach. Trapped with minimal weapons they try to fight off the shark, but quickly discover that no one is safe in the water or on land.
-1
Darken is set in a bizarre, mysterious, and violent unknown world with danger and death around every corner. After a young woman is accosted by a dying warrior in the middle of the street, a bizarre incantation propels her into the realm of Darken - a violent prison-like world of labyrinthine rooms, interconnected with no apparent rhyme or reason and no way of escape. As she fights for survival within this brutal place, she finds allies who are rebelling against the rule of a self-appointed religious despot who demands allegiance to an all-powerful god called "Mother Darken." Eve and her allies must fight with everything they have if they are to have any hope of surviving the horrors Darken has in store for them.
-14
Kurogo Kurusu is a high school student who loves all things Kabuki - the classical dance-dramas that have inspired Japan's theater fans since the early 17th century. When he finds out that his school doesn't have a club that would allow him to pursue his passions, Kurogo sets out to create a kabuki club of his own in order to introduce the art-form to a new generation of fans. His first order of business? Convincing his classmates to sign up.
3
Two young gay soccer players get caught up between the politics of the game and the politics of love.
1
Lewis and Clark blaze a trail to the western waters in this epic spoof on American history.
0
When a bubbly American hip hop dancer goes to India with her family for a wedding, she is impressed by a new dance style and falls in love with the man who introduced her to it.
1
Ambitious high school senior Samantha Hodges is a serious journalist, both for the school paper and for the yearbook, but she's just as serious about her friends, Nate, Gillian, and Rudy, all of whom are vying with her for a full-ride local scholarship to college. Very close to her mother, Emily, who is the school's guidance counselor, Samantha finds her reporting taking an investigative turn when two of her classmates--and contenders for the scholarship--are murdered.
2
Lorenzo is a teenager who lives in Patagonia. One day his family receives in his house to Caíto, the son of some friends who are going through a serious family situation and can not take care of him. He is a complicated kid and has difficulty adapting to the new home. Despite the differences, a unique friendship arises between them. Each has much to learn from the other. Caito, still with his things, has that share of rebellion that Lorenzo needs to break the strict molds in his head and to let his most repressed instincts and passions flow. Home life becomes chaotic but vital and engaging. Caíto is much more than a troublesome boy: he is someone who forces Lorenzo's parents to reopen a dark chapter of their past that they would rather not remember.
-5
The story of the Mumbai Mavericks, a T20 cricket franchise playing in the Powerplay League. Set in a landscape of conflicting interests, where selfishness is almost a virtue, where sex, money, and power are mere means to an end, Inside Edge is a story that pulls no punches, minces no words, and takes no prisoners. Come witness the game behind the game.
-3
Kabir, a brilliant but non-conventional officer of the Crime Branch, puts the pieces together of seemingly unconnected deaths of organ donors that lead up to an unlikely suspect - the affable Danny. Kabir will not stop till he cracks the case and delivers justice.
-2
A "Tech Savvy" Nigerian becomes entangled in a reality show mix up with Nigerian's most infamous Cartel...without even realizing it.
0
In the mysterious future, crystalline organisms called Gems inhabit a world that has been destroyed by six meteors. Each Gem is assigned a role in order to fight against the Lunarians, a species who attacks them in order to shatter their bodies and use them as decorations.

Phosphophyllite, also known as Phos, is a young and fragile Gem who dreams of helping their friends in the war effort. Instead, they are told to compile an encyclopedia because of their delicate condition. After begrudgingly embarking on this task, Phos meets Cinnabar, an intelligent gem who has been relegated to patrolling the isolated island at night because of the corrosive poison their body creates. After seeing how unhappy Cinnabar is, Phos decides to find a role that both of the rejected Gems can enjoy. Can Phos's seemingly mundane assignment lead both Phos and Cinnabar to the fulfillment they desire?
1
At a time when transgender people are banned from serving in the U.S. military, four of the thousands of transgender troops risking discharge fight to attain the freedom they so fiercely protect.
2
A 30-something man between relationships must move quick when an exciting new woman enters his life.
1
Yoel, a meticulous historian leading a significant debate against holocaust deniers, discovers that his mother carries a false identity. A mystery about a man who is willing to risk everything to discover the truth.
1
Mauji stays in a village near Delhi with his wife Mamta, father and mother. Varun works at a shop that sells sewing machines, owned by Bansal and his son Prashant. Both have a habit of ill-treating Mauji and make him do fun antics. When Prashant gets married, Bansal invites Mauji and his entire family. Mamta feels humiliated when she sees Mauji being asked to imitate a dog by the Bansals.
2
A new documentary about the legendary animal
1
Accused of murdering her husband, IAS officer Chanchala, is taken to a haunted house called Bhaaghamathie Bungalow, where police and CBI officials interrogate her to dig up dirt on a politician she had worked under. As she's left alone in the haunted house, spirits take control of her and IAS Chanchala transforms into an unrecognisable person. How this impacts her and everyone around her forms the crux of the story.
0
Ryan a small time criminal on the run after a diamond heist gone wrong, is caught breaking into a cottage by its owner Mrs Potter; a bitter, unsociable and self isolated old lady, who has just been given a month to live. Although from very different worlds, the two realise they can help each other and agree to spend the month together; it's a hasty decision that turns into the most extraordinary month of both their lives. A month that changes everything...
-5
The persona of a celebrated author is threatened when her best friend and muse reveals the dark secret behind her first novel's provenance, igniting an incendiary tale of sex, lies and betrayal.
-2
Fin and his wife April travel around the world to save their young son who's trapped inside a sharknado.
-1
Recently-paroled thief, Jon Price, is forced to return to his small, rainy hometown of Fall City, Washington at Christmastime. Jon unexpectedly begins to find joy as he meets and grows closer to a struggling single mother who shows him true kindness, and he begins filling the role of a father for her young daughter.
-1
An unusual love-hate relationship between a 75-year-old son and his 102-year-old father, who wants to break the oldest-man-alive record.
-2
A new dark force threatens Ponyville, and the Mane 6 – Twilight Sparkle, Applejack, Rainbow Dash, Pinkie Pie, Fluttershy and Rarity – embark on an unforgettable journey beyond Equestria where they meet new friends and exciting challenges on a quest to use the magic of friendship and save their home.
3
A grief stricken captain embarks on his final mission in command of an ageing cargo ship. The ship's small crew, frustrated and discontent with their lives in deep space try to complete a successful mission, but the ship has ideas of it's own. Soon, an 'accident' onboard forces a diversion to Somnus, a derelict asteroid station in a forgotten sector of the solar system. They soon discover the colony is populated by a mysterious and sinister cult, hell-bent on dark plans for Earth. The crew's hope of sanctuary on Somnus soon turns to peril, as they fight for their own survival against the colonists, and humanity's ultimate fate. Terrifying truths about the end of life on Earth soon force the captain to face up to his personal torment leading to a climatic and exciting conclusion.
-6
Hey Jude celebrates the innate beautiful things in human beings and life as a whole. For the world, Jude and his thought processes seem like a puzzle. However, certain unforeseen incidents take him to places he has never been to and experiences beyond his imaginations that help him shed his inhibitions.
0
After having descended upon this world, the gods have created guilds where adventurers can test their mettle. These guilds, known as "familia," grant adventurers the chance to explore, gather, hunt, or simply enjoy themselves.

The Sword Princess, Ais Wallenstein, and the novice mage, Lefiya Viridis, are members of the Loki Familia, who are experts at monster hunting. With the rest of their group, they journey to the tower of Babel in hopes of exploring the dungeon underneath. Home to powerful monsters, the dungeon will fulfill Ais's desire to master her sword skills, while bringing Lefiya closer to her dream of succeeding Riveria Ljos Alf, vice-captain of the Loki Familia, as the most powerful mage in the land.
2
Inspired by an exclusive interview and performance footage of Chavela Vargas shot in 1991 and guided by her unique voice, the film weaves an arresting portrait of a woman who dared to dress, speak, sing, and dream her unique life into being.
0
A sprawling, psychedelic ensemble piece that follows several serial killers over the course of a single night.
-1
Although Brad has a satisfying career, a sweet wife and a comfortable life in suburban Sacramento, things aren't quite what he imagined during his college glory days. When he accompanies his musical prodigy son on a university tour, he can't help comparing his life with those of his four best college friends who seemingly have more wealthy and glamorous lives. But when circumstances force him to reconnect with his former friends, Brad begins to question whether he has really failed or if their lives are actually more flawed than they appear.
6
In the year after graduating college, Izzy struggles to navigate the seemingly incessant failures of adulthood, the reality of a substandard dating pool and a debilitating fear of top-sheets, all in between X-Files marathons. Comically unsuccessful in love over the course the year, including five half-hearted relationships with astoundingly self-centered men, Izzy resigns herself to the support of her mother and sister, who are struggling with their own relationship problems. Seeing herself in them, Izzy gradually gains the confidence to be honest and vulnerable.
-4
People have been created that are human-animal hybrids, and powerful businesses bet on the outcome of their duels. College student Nomoto Yuuya's casual friends ask him to drive them around to pick up girls one day, which he soon finds out means kidnapping. Little did they know the girl they kidnapped was a human-animal hybrid.
1
Set in the city of Nagasaki, the story takes place in a world where a miniscule amount of magic remains in everyday life. Hitomi Tsukishiro is a 17-year-old descendant of a witch family who grew up with stale emotions, as she lost her sense of color at a very young age. Feeling sorry for her granddaughter's future, Kohaku, a great witch, sends Hitomi to past, the year 2018. Through exchanges with her 17-year-old grandmother and her club members, the story follows Hitomi's growth as a person.
-1
The story of four characters whose lives intertwine amid the hustle and bustle of the Coney Island amusement park in the 1950s: Ginny, an emotionally volatile former actress now working as a waitress in a clam house; Humpty, Ginny’s rough-hewn carousel operator husband; Mickey, a handsome young lifeguard who dreams of becoming a playwright; and Carolina, Humpty’s long-estranged daughter, who is now hiding out from gangsters at her father’s apartment.
-1
Nationwide quietness. The streets are empty. Everyone’s glued to their screens at home, watching the final game. In the outskirts of Denmark, close to the German border, a small gas station needs to be open for service, even on this special night.  Two young women have the shift. Ambitious Agnes is in the backroom putting finishing touches on her thesis, while free-spirited Belinda is on her phone, hoping to get the attention of her boyfriend. Unfortunately, the shift is not going to be as uneventful as they think, because no customers also means no witnesses, and the girls have been spotted to play a special part in a very different sort of game.
-1
A year-long immersion into one of Chicago's most progressive and diverse public schools, located in suburban Oak Park. Both intimate and epic, exploring America's charged state of race, culture and education today with unprecedented depth and scope.
2
This is the gritty and sensational true story of Arun Gulab Gawli, a mill worker’s son who grew up in Mumbai’s impoverished Dagdi Chawl, to become an infamous don, politician and chief rival of the most powerful crime boss of the day, Dawood Ibrahim. Daddy realistically charts Mumbai’s true crime history from the 1970s and 1980s until 2012, when Gawli was finally sentenced to life imprisonment.
-5
Tulsi Joshi, a widow and bride to be comes to her own wedding seeking revenge for the brutal murder of her first born son.
-3
Manami suddenly encounters mass murder at a pub on her 22nd birthday as she is hunted down by two warring vampire clans, the Draculas and the Corvins. Manami is a child of prophecy who is meant to help the Draculas overcome their Corvin enemies who have driven them underground. Meanwhile, droves of young men and women are gathered at the Hotel Requiem by a Corvin named Yamada who informs them that the world is about to end, with this hotel being the only refuge.
-2
Zakir Khan is back, and this time he takes you down the memory lane by reminiscing about school, friends and everything that era signified for Zakir. Right from survival to bullying he shares every hysterical and amusing story from his book of memories.
1
Recorded on 25 Feb 2018 at the Alex Theater in Glendale, CA.. immediately after the show, Smith suffered a near-fatal heart attack, With this stand-up special to show for it after his recovery, he riffs on marriage, fatherhood, friends and his work (or lack thereof).
-1
A determined teenage boy struggles to find acceptance within the Jr. Lifeguards of Hermosa Beach while juggling relationships and challenges in the summer of 1986.
-1
India's most wanted Black Money agent, Vicky Chaddha, gets arrested in Malaysia and is kept in a safe house by the Malaysian authorities, along with his wife. A team of four is being sent to Malaysia to bring them to India. Apart from the growth of inter-personal relationships, the mission has quite a few twists and turns on its way. The story follows Karan as he uses his brain and brawn to recover all of the laundered black money.
1
Armed with a limitless Rolodex and a Benedict Canyon enclave with its own disco, Allan Carr threw the Hollywood parties that defined the 1970s. A producer, manager, and marketing genius, Carr built his bombastic reputation amid a series of successes including the mega-hit musical film "Grease," until it all came crashing down after he produced the 1989 Academy Awards, a notorious debacle.
0
Nearly half the population of Sakurada, a small town near the Pacific Ocean, has some sort of unique power. These powers range from being able to enter the mind of a cat, to resetting the world back to a certain point in time in the past. There is a group known as the "Kanrikyoku" that controls and monitors the use of these powers. Asai Kei and Haruki Misora work for their school’s club called "Houshi" club, which execute any missions received from the Kanrikyoku. Misora has the ability to reset the world 3 days. This means that all events and any memory of the past 3 days that "could have" happened, never happened. Kei has the ability to "remember" the past. Even after Misora uses her powers to reset the world back 3 days, Kei will retain those 3 days in his memory. Combining their powers, these two solve missions issued by the Kanrikyoku.
1
After the British company’s officer Clive takes over the kingdom of Mirza, Princess Zafira and Khudabaksh aka Azaad form a band of rebel pirates who swear to defeat the English officer and win their freedom back. The British Company in return, hire the wily thug Firangi track Azaad’s gang and thwart his plans.
0
A young woman seeks help from a sleep clinic for her insomnia, but soon deals with her entire life being turned upside down.
0
A flayed man teams up with a vengeful mermaid to prank the corrupt forces of law, order and the free market... to death.
-2
Years after her son's suicide, a woman longs to confront both the past and a friend of his who took his business idea.
-2
The Falls is a feature film about two missionaries that fall in love while on their mission. RJ travels to a small town in Oregon with Elder Merrill to serve their mission and teach the words of Joseph Smith. Living together and sharing the challenge of leaving home, the two men help each other discover their strengths. They share a passion for their faith and learn to express their feelings, risking the only community they have for a forbidden intimacy.
1
How does one live with the unbearable? When the worst has happened and the one to blame is yourself? Death of a Child is an exploration of the lives of parents who have caused their own children's deaths.
-5
Bryan's long-awaited stand-up special. Bryan Callen discusses his dreams as a boy, his unique upbringing and what he wishes to pass on to his children.
0
A man trapped in an automated prison must outsmart a computer in order to escape and try and find his way back to the outside world that may already be wiped out.
-1
A detached university student faces the consequences of astral projection when he uses it to reconnect with his dead mother.
-1
Dusty Rhodes is new at Jefferson High, and she sticks out like a... well, a cowgirl. Dusty is a real cowgirl from Texas. Her parents are in the U.S. Army: her mother a helicopter pilot and her father a Special Forces Army Ranger. At first, Dusty is an outcast, but eventually she makes friends with a group that includes Savanah, a girl whose father was killed while fighting in Iraq three years earlier. Even though Savanah is kind of Goth and Dusty is all cowgirl they have a special connection and they bond. Dusty gets the school to agree to an Equestrian Drill Team and she enlists her new city slicker friends to join the team. As Dusty and the team practice, Dusty deals with the fears that come with her mother fighting in Afghanistan.
-8
When top secret research on the newest Bathyscaphe technology is stolen, a task force headed by Hong Shao Qiu and Ye Han is assigned to solve the case while the nation's secrets and defense is on the line.
0
Emma's quiet beach retreat takes an unsettling turn with the arrival of an enigmatic artist out of her mother's past. He challenges, enthralls, and frightens her, as she comes to suspect him of a terrible crime.
-4
A gathering of friends is thrown into chaos by the opening of a mysterious fiery sinkhole near their secluded holiday home.
-1
Following his defeat by Master Ip, Cheung Tin Chi tries to make a life with his young son in Hong Kong, waiting tables at a bar that caters to expats. But it's not long before the mix of foreigners, money, and triad leaders draw him once again to the fight.
2
Two women. One white. The other black. Society mandated they be enemies. The gospel of Jesus Christ required they be friends. On the eve of the death of Joseph Smith, his widow, Emma, is on the brink of destruction. In order to stand with her friend in her darkest hour, one woman, Jane Manning, will need to hear the voice of God once more. Can she hear His voice again? And if so, can she find the strength to abide it?
-3
An American sniper and his spotter engage in a deadly cat-and-mouse game with an Iraqi sniper.
-1
Meng Fu Yao, a woman born from a divine lotus petal. She journeys through the five continents towards the heavens in search of a secret order and to reveal a conspiracy originating from the heavens. In the process, she falls in love with the crown prince Zhangsun Wuji.
2
After the trolls' victory over the Snow Queen, Orm claims that he is destined to marry the princess and inherit great power.
2
Give them massive numbers, that’ll impress them. The Secret Life of the Long Haul Flight (Channel 5) is one of those documentaries that does that, right from the off: each year, 300 million passengers fly more than 6bn miles on long-haul flights. Some of them on an Airbus A380, which costs £280m, carries 484 passengers, is 73 metres long, 25 metres high ...
2
Two colleagues at a revolutionary research lab design technology to improve and perfect romantic relationships. As their work progresses, their discoveries become more profound.
7
A woman and her best friend go on a crime spree to rob her husband and escape her marriage.
0
The agents of the Federal Security Service of Russia and the US Secret Service are forced to work together to prevent a full-scale international crisis.
0
Jeanette Williams is a busy single parent, trying to make the best life for her and her daughter. With no time to follow current celebrity gossip, Jeanette is unaware of when a Country superstar returns to their small town to escape the intrusive paparazzi and the chaos of fame. A chance meeting between the two have them both letting their guards down and opening their hearts to the possibility of romance.
-1
Juliette, a lone survivor of an apocalyptic era, fights to survive against hunger, thirst, a broken leg and strange disturbing creatures that only come out at nighttime.
-5
A soldier-turned-high school teacher uses unusual methods to reach to a class of poor students, while dealing with a greedy entrepreneur and his gang of fighters as well as the government.
-2
After her daughter is killed in a school shooting, Juliette discovers a girl in her attic who claims to be Anne Frank.
-1
There is no single truth in love. Each treads their own path.  Which should take precedence – passion or duty? How do we choose? And who gets to judge? These are the eternal questions, remorselessly thrust upon us by life.  Anna Karenina made her choice, leaving her son Sergei to grow up struggling to understand why his mother took such a tragic and terrible path, and Count Vronsky haunted by the memory of the woman for whose death he still blames himself 30 years later.  In 1904, in the aftermath of one of the battles of the Russo-Japanese war, Sergei Karenin and Alexei Vronsky find themselves thrown together in a remote Manchurian village, where fate offers them a chance to return to the events long past and, finally, to find the answers both have long been seeking.
-4
Aspiring filmmaker, Z and Paz, a budding engineer, arrive at S.T.E.A.M. camp excited for tech heaven. When the administrator makes them explore nature and confiscates all tech, they think their summer’s doomed. Things take a mysterious turn when they meet Jordan, an enchanting “counselor” who sends them on an adventure, opening them up to a world of possibilities — like befriending Drew.
2
Mahanati depicts the life and career of one of Telugu cinema's greatest and most iconic starlets, the first Indian female super star, Savitri.
2
A desperate man makes a deal with the devil in hopes of making all his earthly dreams come true. But when he is called upon to live up to his end of the Faustian bargain, he soon learns that this comes with a very steep price, as those around him spiral into madness, possession and death.
-4
Jai (Jackky Bhagnani), born and brought up with middle-class values, has a ‘take it easy’ approach to life. Since he doesn't believe in herd mentality, he and his two best friends, Raunak (Pratik Gandhi) and Deepu (Shivam Parekh) start looking for unique ways to make it big in the world. During this trial and error phase, Jai realizes his dream. But his decision of choosing an unprofitable career path doesn’t go down too well with his father (Neeraj Sood), who has bigger aspirations for him. Therefore, in order to bring stability in his life, his father decides to get him married. Destiny, however, has something else in store for Jai, when he accidentally meets Avni (Kritika Kamra), an ambitious, MBA graduate, who wants to start her own business. Set in the backdrop of the Gujarati milieu, the film traces Jai and Avni’s personal journey, as they both find themselves and discover the true meaning of friendship in the bargain.
6
"Inside Jokes" follows unknown stand-up comics vying to make it into the world-famous Just for Laughs comedy festival in Montreal. Will their performances launch their careers into superstardom, just like New Faces alumni Pete Holmes and Colin Jost, or will they choke under pressure? For this group of comics, who have sacrificed much in pursuit of a dream, there is no bigger moment.
-2
The story of Ajatashatru Oghash Rathod, a fakir who tricks his local village in Rajasthan, India into believing he possesses special powers and into paying him to fly to Paris to buy a bed of nails from an Ikea store.
-1
In this stand-up special, Sasheer covers a spectrum of topics, from drugs to relationships, Disney racism to politics.
-1
After the accidental death of her rapist, an art student becomes an unlikely vigilante, set out to avenge college girls whose rapists were not charged.
-4
A 14-year-old boy, struggling with gender identity and religion, begins to use fantasy to escape his life in the inner city and find his passion in the process.
0
North Carolina-born Jon Reep brings the laughs to Chicago and discusses everything from outdated state laws to giant satellite dishes and asks maybe the most important question - why isn't there a fresh salt guy at restaurants?
2
With her new home base in Nashville, the series follows Kristin's life as a businesswoman launching a flagship store for her lifestyle product line and being a wife to her husband, former professional football player, Jay Cutler.
0
Jim Gaffigan has made a career out of finding the extraordinary in the ordinary with his hilarious observational style. In his 6th special, he uses humor to deal with the unthinkable & proves that laughter is the best medicine…or is it?
3
A group of five women go camping in the woods to celebrate a friend's birthday over 4/20 weekend. But when they cross the turf of an illegal marijuana grow operation they must struggle to survive the living nightmare.
-2
An Indian spy is married to a Pakistani military officer during the Indo-Pakistani War of 1971.
0
The man known as Bunnyman returns home to find his family running a haunted house attraction. The family welcomes him home, but soon realizes you cannot domesticate a wild animal. Death and mayhem ensue as the family turn on one another to fulfill their bloodlust.
0
A young girl's faith is tested, when her parents are suddenly killed in a car accident and she's forced to move in with relatives who don't share her belief in God.  A talented singer, who desires to worship God with her songs, she finds herself in a new city, a new school and no friends.  With her uncle and others at school challenging her faith, one boy emerges, who seems to see the greatness in her.  Now she must come to grips with either fitting in or following God - which could cost her more than just her faith.
3
Jade is a young mother in the prime of her life when an acid attack leaves her severely burned. While her face has been reconstructed, her beauty is lost beneath the scars. Descending a self-destructive path with relationships crumbling, Jade must take drastic action to reclaim her life.
-5
Longtime best friends Renee, Aria, Jaime and Jessa have shared just about everything. All hell breaks loose when Jessa sends them a message via DVD with a shocking message!
-3
When a half-beast mercenary teams up with a witch who is in search of a magical tome that can destroy the world, a grand adventure ensues.  Despite his hatred of witches, he enters an agreement that shewill make him human once she reaches her goal.
0
A tropical singles retreat takes a terrifying turn when guests realize a poisonous shark is infesting the surrounding water. Not only will it rip apart its victims, but it also uses projectile acid to hunt - in and out of the water.
-4
After a long stint in gay conversion therapy, James, a young piano prodigy, returns home to his family farm and his emotionally-distant father, Richard. After Richard pressures James to give up his music career and take over the farm, James agrees as a way to make up for his past. Soon, however, James finds himself face-to-face with a former lover, Charlie, who wants to help him turn away from his new beliefs and family expectations and follow his dreams of studying music.
2
Lucinda Regis, Director of Development at MALCO Oceanic Research, becomes the target of a dangerous killer after unraveling a sinister plot to inject sharks with human DNA.
-5
A forgetful young man falls in love with a girl whose father hates his condition.
-2
A potpourri of love, drama, passion and culture, "10 Days in Sun City" is a comedy-drama that sees Akpos on another ‘adventure’, this time, to South Africa, with his girlfriend Bianca.
2
A little boy named Lincoln, who is bullied for the way he talks, creates a superhero in his head. A lonely man rescues a puppy who transforms his life. This inspiring story illustrates how kindness can truly make a difference.
1
Satou Matsuzaka, a girl who has never loved anyone before, falls in love with a girl named Shio Koube. The two girls are drawn to each other, and begin a happy life together. Satou won't let anyone endanger their new life, and would do anything for love, even if it means threatening, confining, or killing someone.
0
An honest officer fights to bring down a corrupt and dangerous cop, and attempts to bring down the entire Mumbai mafia with him.
-1
On Halloween night, a serial killer returns from the dead to take revenge on the vigilantes who put him to death one year earlier.
-4
The story of a middle-class family coping with the sudden passing of their beloved patriarch Patrick, a whimsical inventor who touched the lives of all who knew him. Devastated, his family finds hope in a guide book he created for his sons.
0
More than 65 million people around the world have been forced from their homes to escape famine, climate change and war, the greatest displacement since World War II. Filmmaker Ai Weiwei examines the staggering scale of the refugee crisis and its profoundly personal human impact. Over the course of one year in 23 countries, Weiwei follows a chain of urgent human stories that stretch across the globe, including Afghanistan, France, Greece, Germany and Iraq.
-1
Crazy is the story of a legendary guitar player who emerged from Nashville in the 1950s. Blessed with incomparable, natural talent, Hank Garland quickly established his reputation as the finest sessions player in Nashville.
2
A lady cop takes interest in the case of a pregnant minor girl and her lover. But there’s a twist in the case, and can she right a wrong, despite pressure from superiors?
1
The courageous story of a tenacious New Zealand woman who would stop at nothing in seeking justice for her brother's murder.
1
From F. Scott Fitzgerald's last work, The Last Tycoon follows Monroe Stahr, Hollywood's Golden Boy as he battles father figure and boss Pat Brady for the soul of their studio. In a world darkened by the Depression and the growing influence of Hitler's Germany, The Last Tycoon illuminates the passions, violence and towering ambition of 1930s Hollywood.
1
Nicole and Mark get engaged, but his stepsister believes she has a claim on him and is willing to do anything to be his bride.
1
A filmmaker tries to prove that ghosts are real but soon regrets his intentions after he finds himself being terrorized in a haunted house by a ghost with a dark past. An authentic documentary that shows actual ghost footage that was captured on camera.
-1
After a crushing breakup with her girlfriend, a Brooklyn musician moves back in with her Midwestern mother. As she navigates her hometown, playing for tip money in an old friend's bar, an unexpected relationship begins to take shape.
-3
The film revolves around a police officer called Karthikeya (Ravi Teja), who struggles to maintain a balance between his personal and professional life. Until one incident changes his life forever.
-1
A ruthless Columbian drug lord has been using a cold-blooded assassin nicknamed The Devil to wipe out his competition. Sensing a threat to the US, the DEA hires a Marine sniper to kill The Devil, and capture the kingpin.
-6
School girl Miyuri Obara is bullied mercilessly but finds relief in an unexpected friendship with Tsumugi. Yet even as Miyuri's life turns around there's a lingering suggestion that something is not quite right.
0
Aya Asagiri is a middle school girl who has problems both at school with bullying and at home from physical abuse by her brother. While browsing online, a website pops up on her computer featuring a creepy looking person. This person appears to take pity on her, and announces that she has granted Asagiri magical powers.
-4
Passengers and crew on a flight are attacked by unseen forces that threaten all aboard.
-1
This 2017 movie follows the original dance academy TV show and tracks where the characters are in their lives now.
0
After a teenage girl is found murdered in a California town, a young woman is forced to prove her brother is innocent of the crime, discovering a disturbing dark side to the community.
-3
Pushpavalli was supposed to finish her Food Science degree and marry a Brahmin man that her mother approved of. All that changed after meeting the charming Nikhil Rao. After secretly following him to Bangalore, she juggles working at a children’s library, dealing with her unpredictable landlady, all the while trying to convince herself that it’s not stalking if you know the person, right?
1
The series explores from a different point of view what happened on the day Selena died and what was behind it--a secret that Yolanda Saldívar kept.
-1
A documentary filmmaker travels to a UFO convention in New Mexico where he meets a local artist with a dark secret. As they follow a trail of clues they discover disturbing sightings and question all they believe when they become immersed in the enigmatic culture of the Pueblo Indians.
-2
Over the past 25 years, Lauren Greenfield's documentary photography and film projects have explored youth culture, gender, body image, and affluence. In this fascinating meld of career retrospective and film essay, Greenfield offers a meditation on her extensive body of work, structuring it through the lens of materialism and its increasing sway on culture and society in America and throughout the world. Underscoring the ever-increasing gap between the haves and the have-nots, her portraits reveal a focus on cultivating image over substance, where subjects unable to attain actual wealth instead settle for its trappings, no matter their ability to pay for it.
2
To try and overcome a lifetime of bitterness and resentment, an older lady decides to climb a mountain in Scotland.
-2
Madhukar and Parthavi fall head over heels in love with each other, but the fact that they belong to different castes of society, becomes an obstacle in their romance. The lovers dare to go against societal norms and battle all odds for the sake of love.
1
A lavish wedding escalates into pure Lagosian chaos, in this wild romcom produced by media mogul Mo Abudu.
0
Taiga Washio, the eldest son of the mafia leader Taro Washio, is a primary school student. He is trained for succession as the next leader. On the other hands, Kiyoharu is the deadest assassin in the mafia. When the leader Taro was killed by the enemy, the inherited war between Taiga and Kiyoharu begins.
-3
Contemporary Moscow. A talented gambler gathers a team of people with supernatural powers to win big at a casino. But they find a much stronger mystical rival.
2
A blood feud divides a small town in rural Newfoundland.
0
Bharat, a graduate raised in London clueless about the future becomes the Chief Minister of Andhra Pradesh due to the circumstances. New to India and with no political knowledge he learns the ropes quickly and governs efficiently. However, while he endears himself to the crowd, he makes enemies out of the political class, including his own party members who create trouble for him and try to stop him from bringing in changes in the society.
-2
Dan, a 21-year-old carefree boy is always surrounded by a bunch of friends and fellow hotel interns who feed off each other's everyday moments, their ups and downs. Shiuli is also an intern working in the same hotel, who at times is at a receiving end of Dan's audaciousness. Everything was normal in their life until a sudden turn of events smashes Dan and Shiuli's lives together, into a bond.
-1
The 24 Hours of Le Mans is a motor race like no other. Taking place in France each year, it is an endurance test for drivers and cars that literally takes 24 hours to complete. Traveling from Kuala Lumpur to the Côte D’Azur, shot in breathtaking 4K and with unprecedented access to six of the teams competing for glory, Le Mans: Racing is Everything is motorsport as you’ve never seen it before.
3
A young woman diagnosed with cancer tries to play matchmaker between her soon-to-be-widowed husband and her bisexual twin brother.
-1
After a her husband is brutally murdered, a widowed homesteader seeks revenge and leaves everything behind to hunt down his killer.
-3
When the Fist found a mystical gold fleece jacket, he became the biggest porn star of the 1970s. But in the ‘80s, he’s on the cusp of eviction from a run-down studio apartment, having lost his gold fleece and his mojo along with it. When a local street thug named Superfly enters the diner where Fist works, robbing his customers, Fist and friends fight back. And thus begins a wild adventure, as Superfly’s bosses come to collect from Fist, sending him on a journey that unravels a conspiracy to sell meat pumped full of estrogen, which threatens to emasculate men.
-7
College sweethearts Brad and Ashley venture into the heartland of Germany. Their romantic holiday takes a sinister turn when encountering a German SS Officer, thrusting them into a psychological vortex revealing there is not always life in a 'Living Space'.
1
A woman's journey to motherhood sets off a thrilling cross-country adventure in this action story.
1
A hotshot young author becomes the pastor of a small town church with big dreams of changing the world, but things change when he grows suspicious that his neighbor may be a threat to his family's safety.
-2
Fabrizio Copano set out on a journey from his hometown in Chile and became the youngest comedian ever to conquer the "Monstruo" and win the Grand Prize at the Viña del Mar Festival.
2
China's deadliest special forces operative settles into a quiet life on the sea. When sadistic mercenaries begin targeting nearby civilians, he must leave his newfound peace behind and return to his duties as a soldier and protector.
2
Former Gang Member, current comedian, future famous comedian. Shayne Smith is the runner up in the Wiseguys’ 2015 Funniest Person In Utah competition, winner of the 2015 Salt City Comedy Superstar contest and most recently voted best Alternative Comedian of 2016 by City Weekly.
3
Hichki presents a positive and inspiring story about a woman who turns her biggest weakness into her biggest strength.
1
When her daughter is kidnapped in Belize and held hostage to be used for human organ trafficking, Kate Johnson goes on a crusade to infiltrate the cartel and rescue her.
-1
Bahar, the commanding officer of the Daughters of the Sun, a battalion made up entirely of Kurdish female soldiers, is on the cusp of liberating their town, which has been overrun by ISIS extremists.
-2
Discovering that sharks are being hunted to extinction, and with them the destruction of our life support system - activist and filmmaker Rob Stewart embarks on a dangerous quest to stop the slaughter. Following the sharks - and the money - into the elusive pirate fishing industry, Stewart uncovers a multi-billion dollar scandal that makes us all accomplices in the greatest wildlife massacre ever known.
-5
Fred Beckey is the legendary American "Dirtbag" mountaineer whose name is spoken in hushed tones around campfires. This rebel climber's pioneering ascents and lifestyle form an iconic legacy that continues to inspire generations.
1
Sitting Chief Minister Vinodhan, who is facing imprisonment in an illegal assets case, makes his son, Varun the temporary CM until his return. The disinterested young man gradually wakes up to the sorry state of affairs and tries to bring in a change.
-4
When Sam returns home to the tidal island where he grew up to attend a funeral, he soon discovers that the seedy underbelly of this small community harbours more than just a few secrets.
-1
Amid the desolate remains of a once-thriving city, only the rumbling of a motorbike breaks the cold winter silence. Its riders, Chito and Yuuri, are the last survivors in the war-torn city. Scavenging old military sites for food and parts, the two girls explore the wastelands and speculate about the old world to pass the time. Chito and Yuuri each occasionally struggle with the looming solitude, but when they have each other, sharing the weight of being two of the last humans becomes a bit more bearable. Between Yuuri's clumsy excitement and Chito's calm composure, their dark days get a little brighter with shooting practice, new books, and snowball fights on the frozen battlefield.

Among a scenery of barren landscapes and deserted buildings, it is an uplifting tale of two girls and their quest to find hope in a bleak and dying world.
-6
An imperial guard searches for the truth behind a conspiracy that framed him and his partners. The proof of his innocence lies with a wanted woman named Bei Zhai... but will she reveal what she knows? In this intense prequel to BROTHERHOOD OF BLADES, the only thing he can truly trust is his sword.
-2
Titu is going to marry a perfect woman named Sweety. Titu's best-friend Sonu doubts Sweety's character and tries to break the marriage while Sweety tries to do opposite and which leads to war between Bromance and Romace.
0
Demon Lilith punishes men for their indiscretions against women.
-2
The storyline is about 3 characters of Babbu Maan in different places and in different eras but the three stories told are love stories of the individual. A strong, compassionate lover teamed with different women in different places. They have shown the yesteryear in a rural village of Punjab, today's story in modern Punjab and Chandigarh and another story setup in Canada.
5
An adrenaline seeking snowboarder gets lost in a massive winter storm in the back country of the High Sierras where he is pushed to the limits of human endurance and forced to battle his own personal demons as he fights for survival....
-2
Harry, a charming house thief, gets more than he bargains for during an attempted burglary when he stumbles upon Daisy and decides to save her from herself, sending both of them into a darkly comedic journey of self discovery and love.
2
A newly reunited young couple's drive through the Pacific Northwest turns into a nightmare as they are forced to face nature, unsavory locals, and a monstrous creature, known to the Native Americans as Oh-Mah.
-3
Rajputana, India, 13th century. The tyrannical usurper Alauddin Khilji, sultan of Delhi, becomes obsessed with Queen Padmavati, wife of King Ratan Singh of Mewar, and goes to great lengths to satisfy his greed for her.
-1
A plague of shadows has swept across the land, turning innocent creatures into terrible monsters. One champion remains to battle the darkness and return the world to the light: Niko. Armed with his magic sword and guided by a determined Princess, young Niko journeys to the Curse-ed Volcano to face the evil sorcerer Nar Est and free his people from their magic prison.
-2
Chitti Babu begins to suspect his elder brother's life is in danger after they team up to lock horns with their village president and overthrow his unlawful 30 year old regime.
-4
Three women use their newly formed sisterhood to fight against sexism, bad relationships and low self-esteem. Through embracing their wild adventures, they learn the secret to ultimate fulfillment.
-1
Grassroots activists in the Philippines are spurred into action when a local transgender woman is found dead in a motel room with a 19-year-old U.S. marine as the leading suspect. As they demand answers and a just trial, hidden histories of U.S. colonization come bubbling to the surface.
-1
Produced and presented as evidence at the Nuremberg war crimes trial of Hermann Göring and twenty other Nazi leaders, this film consists primarily of dead and surviving prisoners and of facilities used to kill and torture during the World War II.
-5
Jashin-chan, a devil from Hell was abruptly summoned to the human world by Yurine Hanazono, a stoic college student who lives in a run-down apartment in Jinbocho. They're forced to become roommates since Yurine doesn't know how to send Jashin-chan back. But according to Jashin-chan, she could return by killing Yurine, so she takes action...?! A viperous roomie comedy that keeps you on your toes!
-5
Gary Younge travels across America to find out why Trump resonates with so many people.
1
The story of an aspiring musician from Kaufman, Texas who travels to Nashville with the lifelong dream of trying his hand at country music. By embodying the title character under prosthetic make up, actor Stephen Dorff successfully infiltrates Music City and takes his character on an authentic singer / songwriter journey. With the help of key allies on the ground, "Wheeler" converses with real people in real locations, with every musical number performed live. The line between reality and fiction blurs as Wheeler chases his dream in this touching tribute to old school country legends.
0
When several carnal murders in a small beach town are linked to the public release of a discreet dating app's client information, detective Maxine Payton suspects the killer may be someone intimately close to her.
-3
Welcome to Hot Wheels City, where there is never any shortage of mayhem. Cobras are on the loose, stealing valuable auto parts and fuel. Can our heroes Elliot and Chase rise up to the challenge and bring peace back to the city?
2
In this hilarious one hour comedy special, Kanan Gill squints at a variety of subjects ranging from the difficulty in talking to your parents to The Constitution of India. It's easy to keep it funny. Kanan keeps it real.
1
Dean Dillon has written hit songs for George Strait, George Jones, Kenny Chesney, Brooks and Dunn, Toby Keith, LeeAnn Womack, and many more for over 4 decades.
0
Akira Tachibana is a soft-spoken high school student who used to be a part of the track and field club but, due to an injury, she is no longer able to run as fast as she once could. Working part-time at a family restaurant as a recourse, she finds herself inexplicably falling love with her manager, a divorced 45-year-old man with a young son.

Despite the age gap, Akira wholeheartedly embraces his mannerisms and kind nature, which is seen as spinelessness by the other employees, and little by little, the two begin to understand each other. Although unable to explain why exactly she is attracted to him, Akira believes that a concrete reason is not needed to truly love someone. On a rainy day, she decides to finally tell her manager about how she feels... but just how will he react?
1
Dana, a paleontologist in training, and her sister Emily embark on a series of adventures with dinosaurs.
0
A couple checks into a beach resort in Mauritius late night with their three-year-old daughter Titli who in the next morning goes missing.
0
Vatican City—Holy Land of the Catholics. Amidst the land, there is an organization that conducts rigorous investigations on "claims of miracles" from all over the world to ascertain their credibility. The organization is referred to as "Seito no Za" (Assembly of Saints) and the priests that belong there are called miracle investigators. Robert Nicholas, an ancient archive and cryptanalysis expert is partnered and good friends with Hiraga Josef Kou, a genius scientist. Together, the brilliant duo investigates the "miracles" and uncovers the incidents and conspiracies hidden behind them.
6
Behind-the-scenes series following the New Zealand All Blacks rugby team throughout 2017, taking an in-depth look at the players and coaches on and off the field.
0
Moses and Kitch, two young black men, chat their way through a long, aimless day on a Chicago street corner. Periodically ducking bullets and managing visits from a genial but ominous stranger and an overtly hostile police officer, Moses and Kitch rely on their poetic, funny, at times profane banter to get them through a day that is a hopeless retread of every other day, even as they continue to dream of their deliverance.
-5
When star high school quarterback AJ Montoya breaks his hand his only hope is to team up with his longtime rivals, the cross country team--a group of nerds and misfits with potential for high school glory.
-2
An aspiring songwriter from a small steel town, Betty Mabry Davis arrived on the scene to break boundaries for women with her daring personality, iconic fashion style and outrageous funk. She befriended Jimi Hendrix and Sly Stone, wrote songs for the Chambers Brothers and The Commodores and married Miles Davis, turning him from jazz to funk and then went on to ignite stages in the 70s with her sassy sexed up mix of hard rock and bluesy funk, inspiring artists from Prince to Erykah Badu to Karen 0 and Peaches. Then she vanished…
-1
Out On Stage is the absolutely hilarious and one of a kind, originally produced comedy hosted by Zach Noe Towers! See OUT Magazine's 1 of the 10 comedians to watch in 2018,' the comedian that Sarah Silverman calls,'So, so, so funny' and 17 other top rated Gay and Lesbian stand-up comedians discuss taboo subjects as only they can!
0
A nice guy goes into the hospital for surgery and through a series of mishaps suffers every man's worst nightmare.
-3
While on a train journey, a rich lad Ganesh meets a cute bubbly girl Khushi and falls in love with her. He gathers the courage to talk to her but loses her in the crowd.
2
One year after the events of "Kickboxer: Vengeance", Kurt Sloan has vowed never to return to Thailand. However, while gearing up for a MMA title shot, he finds himself sedated and forced back into Thailand, this time in prison. He is there because the ones responsible want him to face a 6'8" 400 lbs. beast named Mongkut and in return for the fight, Kurt will get two million dollars and his freedom back. Kurt at first refuses, in which a bounty is placed on his head as a way to force him to face Mongkut. Kurt soon learns he will have no other choice and will undergo his most rigorous training yet under some unexpected mentors in order to face Mongkut in hopes to regain his freedom.
-2
When his girlfriend is forced to marry another man, a troubled young surgeon begins to self-destruct.
-1
Roshan Kalra is a three-star Michelin chef who gets fired from New York's Gulli restaurant after he punches a customer. Forced to take a break, he flies to Kochi to spend time with his son, Armaan and his estranged wife Radha Menon. It's a fruitful trip because he manages to mend broken family ties. In a bid to help him get his mojo back, his wife suggests he put up his own food truck and begin afresh.
-3
When Emma moves in with her estranged, gay son, the pair must learn to reconnect through food where words fail, and face the foreclosure of the family’s Chinese restaurant and a stubborn fear of intimacy.
-3
A Connecticut nurse finds herself at the center of a political firestorm and a Supreme Court case centering on eminent domain.
2
While preparing to audition for a renowned ballet company, Paige must convince herself and her mother that she has what it takes to make it in the world of dance.
1
The hidden memoir of an elderly woman confined to a mental hospital reveals the history of her passionate yet tortured life, and of the religious and political upheavals in Ireland during the 1920s and 30s.
-2
Dee, the detective serving Chinese empress Wu Zetian, is called upon to investigate a series of strange events in Loyang, including the appearance of mysterious warriors wearing Chiyou ghost masks, foxes that speak human language and the pillar sculptures in the palace coming alive.
-2
What doesn’t break you can make you stronger.

Qi Xue is a beautiful 16-year-old whose life takes a horrific turn when her father sells her to a brothel. There, she undergoes unspeakable abuse that nearly breaks her spirit. But when Qi Xue enters a mysterious new city, she is given a new identify of Wan Mei and undergoes training to become an assassin. Now able to use her beauty as a weapon, Wan Mei is no longer a victim of all the cruel people around her during the waning days of the Tang Dynasty.

As Wan Mei takes on dangerous missions that puts her life on the line, the mysterious Chang An watches over her like a shadow. But when she becomes embroiled in a deadly conspiracy, can Wan Mei survive?
-10
Nancy becomes increasingly convinced she was kidnapped as a child. When she meets a couple whose daughter went missing thirty years ago, reasonable doubts give way to willful belief.
0
The series revolves around the Mizuki Diving Club (MDC), which is on the verge of closing down after having financial troubles. The club's new coach persuades the club's parent company to stay open on one condition: that the club sends one of its members to next year's olympics as part of Japan's olympic team.
-1
Mateho, an officer of the Inquisition and rational man of science, visits a remote monastery to investigate a bizarre murder of a monk. And you guessed it: something evil is afoot. But is the terror man-made or the result of witchcraft?
-3
Benjamin Morton's life changed forever the day he met the little girl next door.  Ava was and always would be the girl of his dreams. From the innocence of a childhood friendship, through adolescent attraction, their love strengthens and grows. When life takes a turn neither of them expected, their entire future is called into question.
2
Mark "Chopper" Read established a reputation of infamy by becoming one of the toughest criminals in Australian history. But in order to secure the affections of the woman he loves, Chopper fights to go straight. Yet the sins of his past, his ego and an ongoing feud with Syd Collins will make his hopes of a straight life a dangerous and near-impossible enterprise. Underbelly Files: Chopper explores the collision of Chopper's two competing identities — the myth and the man.
0
All that 15-year-old Aakash wants to do is make mimicry videos and post them online. Instead, he finds himself in an IIT coaching institute called Genius Infinity, where he is a misfit, unable to cope with the syllabus, and placed in the notorious section D. Now, along with roommates Bakri and Chudail, Aakash will learn to answer life’s multiple-choice questions.
-2
Chi earned her American dream after persevering with her studies in Taiwan. Following her grandmothers’ death, Chi returns to her family on Happiness Road, where she begins to feel nostalgic about her childhood and starts to contemplate the meaning of “life” and “home”. What is happiness? Will Chi find her own happiness?
2
Tasha, who aspires to make it big in life, catches the eye of two womanising brothers, who promise to make her a star. Yet her hidden intentions may prove deadly for the duo.
0
The comedian returns for his second Showtime special. While tackling subjects like white guilt, the national anthem and the righteously religious, he simultaneously skewers his own sense of male entitlement. Recorded in Portland, OR, Erik holds a mirror up to his audience's hypocrisies and nudges them into laughter while doing some corrective rejiggering on recently accepted societal norms.
0
Pediatric specialist Tasha Mason is focused on one thing; keeping the kids in her ward as healthy and happy as possible. So when her high-school crush, who just happens to be handsome Prince Alexander Cavalieri, breaks his leg on a nearby ski-slope, Tasha is forced to allow him to secretly get well on her floor and she’s furious that a spoiled Royal is interrupting the precious healing time her kids so badly need. Soon, however, Tasha learns that some tough love and a lot of Christmas spirit, could turn this royal pain into a knight in shining armor.
1
The Singh family comprises of Shamsher his step-son Sikandar, twins Suraj and Sanjana. They run a business of illegal arms and trade with the help of their friend Yash. Things get dramatic when Jessica meets Sikandar and the family ties are strained under each character’s ulterior motives.
-3
Karikaalan consistently fights to keep the people of Dharavi, a slum in Mumbai, safe from the clutches of mighty politicians and the land mafia don, Hari Dhadha.
3
A CBI officer goes in search of a ruthless serial killer. Things get worse when the murderer targets the former and her family
-4
In the international world of gun running... loyalty, honor and discretion are valuable commodities, but nothing is more priceless than the bond of family. Power begets enemies and a loved ones betrayal cuts like a knife. Sides will be chosen, wars will be fought. In the end, there can only be one King.
3
The life and journey of Hameed to find his biological mother and how his life changes when Aisha comes into his life.
0
Joel Gilbert's directing style is on full display here with a look at how Donald Trump dominated the 2016 race, using The Art of the Insult to brand political opponents and bash the media all the way to the White House.
-1
The road to becoming an empress is paved with treachery. Ruyi is a consort who quickly learns to navigate the treacherous politics of the the royal court and move up the ranks. After becoming Empress, Ruyi still must survive the many conspiracies against her. Her relationship with Emperor Qianlong becomes eroded even when Ruyi is able to overcome the challenges. Can Ruyi maintain her role as Empress under such difficult circumstances?
-4
On Christmas Day, with the help of his grandson, George still haunted with regret from the loss of Violet, the 'wayward girl' he loved decades ago, gets to go back through time and relive and possibly change his unresolved past.
-2
Turn your house into a Halloween haunted house party with Haunted Transylvania 2! Sing along and dance all night in this fun Halloween celebration for kids of all ages. Spend some time with the dancing Mummy, do the wave with Frankenstein and jump around with Dracula! I's the Halloween event you do not want to miss!
1
Grigio Academy Boarding School. Students who attend this school in two countries and reside in their own dormitories. Inazuka and Persia are rival dormitory leaders, but in secret they love each other. Now, they have to keep their relationship a secret from their dorm mates, or ruined things will happen to them.
-1
Most of the world's needs are fulfilled by humanoid robots called hIE's. One day, 17-year-old Arato Endo meets the android Lacia and becomes her owner. She is one of five androids with advanced AI. Each of the five units have their own motivations, and fight to gain each other's abilities. What will the relationship between man and machine be moving forward? That is something Arato must find.
2
Born with a serious eye condition that eventually leads to his blindness, Bocelli nevertheless rises above the challenges, driven by great ambitions towards his passion. The silent pursuit of his daily mission continues.
4
A retired assassin's past catches up with him and his brutality surfaces as he goes on a final killing spree to make things right.
-2
An orphan boy of mixed race finds family with the newly arrived white village doctor in Hawaii. The boy can run like the wind, and begins bringing Doc's medicine to coffee pickers throughout the mountainous region. On an errand, the medicine runner meets the daughter of the plantation owner and a forbidden, young love blossoms like the white "Kona Snow" of the surrounding coffee trees.
2
Detective Mackenzie Bennett is hot on the trail of Carson, a suspected diamond thief, and goes undercover to catch him in the act. While undercover, Mack not only falls for Carson, but begins to suspect that he's been framed. Are feelings clouding Mack's judgment or are they focusing on the wrong suspect?
-4
Laxman Singh Bisht is nicknamed tube light by his neighbours because he is feeble-minded. Despite being special, Laxman lives by one life-lesson; keep your faith alive and you can do almost anything, even stop a war.
1
For the first time go inside McLaren, the most prestigious team in Formula 1 racing. Gain unprecedented access to the drivers, engineers, and leaders of McLaren to see what it takes to compete at the highest level.
2
Learn the terrifying, true story about thirteen months that changed history! In November of 1966 a car full of kids encountered a creature unlike anything they'd ever seen before. In the weeks and months to follow, the monster (now known as The Mothman) was sighted again and again on country roads and around the state of West Virginia. As the sightings continued so did an increase in unusual activity.  At the center of this bizarre series of events was the town of Point Pleasant, WV. A small burb situated on the banks of the Ohio river with a lengthy history of what many might call bad luck. Over the next thirteen months Point Pleasant would undergo one of the strangest outbreaks of paranormal activity the world has ever seen. An outbreak that eventually ended in tragedy.
-6
The life and career of comedian Rose Marie is documented through interviews with friends and colleagues as well as never-before-seen home movies shot by the actress herself.
1
Honest inspector Aditi Singh and hard-boiled cop Rudra investigate a multiple suicide case. They stumble upon a darker truth revolving around the corrupt politician Yadav and Shankar. The political nexus forces Rudra to become the angry-young-man and one-man-army all rolled into one.
-3
When 15-year-old Magnea meets Stella, everything changes. Stella's no-holds-barred lifestyle drags them both into a world of drugs, which brings serious consequences for each of them, and their relationship. Twelve years later their paths cross again, and a reckoning between them becomes unavoidable.
-1
Three best friends fall in love with a simple, stay-at-home girl from their neighbourhood, who (unintentionally) pits them against one another. But, as love flies out of the window, the three men realise that their beloved is more than what meets the eye
3
Five-time Emmy award winner Dennis Miller takes on the current climate like no other can in Fake News, Real Jokes! From selfies and airline travel to Trump and journalists, he delivers his signature critical assessments in his low key style that has been deemed by The Hollywood Reporter as "the most cerebral, astute and clever standup ever".
2
In the popular MMORPG world 'Union' there existed a legendary party named Subaru. This party, made up of a group of childhood friends and elementary schoolers, exceeded the limits of the game with their various senses. However, due to an incident which resulted in a death, 'Union' ended its service and the group of childhood friends went separate ways. Six years later, highschooler Haruto logged into the new 'Reunion' and reunited with a single girl. Asahi—one of old 'Subaru' party members, and his childhood friend who should have died six years ago. Is she a digital ghost, or...?
0
The true story of Louisa Gould, a widow living in Nazi occupied Jersey, who takes in a Russian prisoner of war.
-1
Abandoned by her friends and family and with her career in jeopardy, starlet Markey Marlowe is sequestered in a duplex with a reclusive landlord who just may be more dangerous than she is.
-2
A man navigates parallel realities: one as a hardened criminal who has spent years building his drug empire; the other as an ambitious architect who has been working his way up the corporate ladder.
-1
Gina, an American flight attendant, falls in with a Parisian bartender on a layover only to find herself tangled in a web of deception, delusion and unrequited amour fou.
-4
An asteroid, which is expected to hit Chennai and its surrounding places, poses a threat to the lives of around four crore people. A five-member team is sent by the Defence Space Division to space to stop the celestial body from hitting the planet.
-1
A trigger-happy Nationalist fears retribution from the son of a man he executed. To mollify the boy's anger, he takes a drastic step: he keeps constant watch over the fig tree the boy has planted at his father's gravesite. As the years pass, the man's lonely vigil makes him a tourist attraction, much to the chagrin of his former colleagues.
-4
1 - Dogs: Submissive and obedient animals
 2 - Hogs: Dirty and wicked animals
-3
A coming of age a story about 3 young boys from Nigeria's major ethnic groups on an adventure to make a short film inspired by the history of Nigeria.
0
Haruka Shinozaki has been interested in the class representative, Akiho Kousaka, since his first year in high school. She is attractive, good at sports, and is an all-around model student. Since they are in the same class this year, Shinozaki decides to confess his feelings—and, to his shock, Kousaka agrees to be his girlfriend!

However, he finds that Kousaka is a bit stranger than he first thought: this seemingly perfect girl has never been in a relationship. But even though she is inexperienced, she vows to please Shinozaki in every way she can... such as learning multiple sex positions or his fetishes. Shinozaki tries to assure her that her studies into such subjects aren't necessary, but Kousaka devotes herself to making him happy in more ways than one.
2
Christian, a reclusive young man from Leipzig, gets a job working the night shift at a big-box store. He's trained to stocks goods and operate a forklift by Bruno, a wistful former truck driver, who introduces Christian to a colorful group of overnight workers, including Marion, with whom Christian develops a troubled infatuation.
1
A government clerk on election duty in a conflict-ridden jungle of Central India tries his best to conduct free and fair voting despite the apathy of security forces and the looming fear of guerrilla attacks by communist rebels.
0
A storm is coming. No one could predict it. No one can measure it. Now one family must survive it. You can't come in from the cold.
-1
A man wakes up with no memory of his past but the ability to speak dozens of languages fluently. After finding a clue about his former self, he will race against time to discover his true identity.
0
Antwerp, Belgium. The lives of four small-time drug dealers spin out of control when they steal a shipment of cocaine, triggering a full out war between an Amsterdam drug lord and a ruthless Colombian cartel.
-2
The larger-than-life story of Kim Dotcom, the 'most wanted man online', is extraordinary enough, but the battle between Dotcom and the US Government and entertainment industry—being fought in New Zealand—is one that goes to the heart of ownership, privacy and piracy in the digital age.
2
When a city-bred girl comes home to her village, she falls for the macho village boy and asks him out. As a passionate romance brews, the guy falls madly in love with her, but does she feel the same way? Or is it just a passionate summer fling?
0
The fate of four friends, who work at a garage, witness drastic changes after they lock horns with a dreaded gangster in town
-1
Naomi, an Israeli Mossad agent, is sent to Germany to protect Mona, a Lebanese informant recovering from plastic surgery to assume her new identity. Together for two weeks in a quiet apartment in Hamburg, the relationship that develops between the two women is soon exposed to the threat of terror that is engulfing the world today. In this game of deception, beliefs are questioned, choices are made, and their fate takes a surprising turn.
-1
A housewife's life changes drastically after becoming a radio jockey for the city's biggest radio stations.
-1
The feature-length documentary chronicles Alan’s life from his upbringing in Georgia in the 1950s and ’60s to his Hall of Fame induction in 2017. The film is primarily narrated by Alan and includes interviews with family members, musical colleagues and country stars, including Carrie Underwood.  Written, produced and directed by John Albarian, the film showcases the inspirations that led Alan to write hits such as “Chasin’ That Neon Rainbow,” “Chattahoochee,” “Here in the Real World,” “Livin’ on Love,” and “Where Were You (When the World Stopped Turning).”
4
Steve Lemme & Kevin Heffernan are back with their third stand up special. They share laughs, chug beers, tell stories from their films and reveal private secrets about each other covering everything you want to know. The jokes come fast and furious in what could “potentially” be their last time on stage together!
-1
This wonderful story happened in the age of valiant knights, beautiful princesses, and battling sorcerers. Ruslan, a wandering artist dreaming to become a knight, met beautiful Mila and fell in love with her; he didn’t even suspect that she is the King’s daughter. However, the lovers’ happiness wasn’t meant to last too long. Chernomor, the evil sorcerer, appeared in a magic vortex and stole Mila right before Ruslan’s eyes to transform her power of love into his own magic power. Without further ado, Ruslan sets out on a chase after the stolen princess to overcome all obstacles and to prove that real love is stronger than magic.
8
Rodney is a former boxing champ who, after a deathbed visit to his trainer and mentor, is propelled into reclaiming victory for his now simple life as a nightclub bouncer. He partners with a no-nonsense, lesbian photographer and an aspiring starlet to make a compromising tape with Isaac—a married, devout, Orthodox Jewish real estate mogul—that sets off a chain of events that brings down an empire.
3
When she’s written out of her show, her relationship and her seemingly perfect life, reality TV star Ann Stanway leaves Hollywood and finds herself marooned in Amish country. But when Ann is taken in by the owner of a nearby Inn, and meets a handsome young architect, she discovers that the reality she left isn’t nearly as perfect as the one she’s found.
3
Jamaica, 1973. When a young boy witnesses his brother’s assassination, a powerful Don gives him a home. But 10 years later, when he’s sent to London, his past catches up to him.
1
When Dev finds about his wife's affair, he starts blackmailing her and her lover but the blackmail game backfires on him.
0
A sensitive university student unraveling while on a week-long vacation with a crowd of cocksure relatives and family friends.
1
Gopal and his best friends are back again, and this time they move back to their old neighborhood in a new palatial house where they learn that it is being haunted by a ghost.
2
A law student from a lower caste begins a friendship with his classmate, a girl who belongs to a higher caste, and the men in her family start giving him trouble over this.
-1
The imperial guard and his three traitorous childhood friends ordered to hunt him down get accidentally buried and kept frozen in time. 400 years later pass and they are defrosted continuing the battle they left behind.
-2
Follows the endless adventures of a fearless, teal-haired girl named D.D. Danger and her ever cautious best friend, a giant talking egg named Phillip. Together, join this buddy system as they explore an underground laboratory, meet a tech-savvy raccoon, and find moments of heart in the smallest bite of broccoli.
1
Gopi, alias Arjun, is the son of an ex-RAW agent Raghuveer. Brought up by his uncle Satya, he wants to be an agent just like his father and uncle. But Satya wants him to lead a normal life and not be killed like his father was. What happens in Gopi’s life that turns everything upside down?
2
Taking place during 1876 in Montana, a ruthless headhunter tracks his own Brother through Big Sky country with the help of a young fur trapper.
-1
Fans, stars, creators, and more come together to explore the dynamic history and evolution of save-our-show television fan campaigns from the letter-writing and product mail-in campaigns of yesterday to the social media and crowdfunding campaigns of today.
1
Based on Charan Singh Pathik's short story Do Behnein, Pataakha narrates the story of two feuding sisters who realize the true nature of their relationship only after marriage separates them.
0
When one of America's most promising young gymnasts, Samantha Wick, is cut from the Olympic team, she decides to follow her dreams of horseback riding by joining a girls horse camp. With financial troubles threatening to shut the camp down, Samantha uses her gymnastic prowess to start a horse-dancing team to raise money and save the camp!
0
An American driver, Jack Curry takes a job driving Nigerian celebrities to the annual GIAMA Awards to impress his boss Kate. Along his journey he tries to become friends with actor Jim Iyke, who wants to be left alone.
2
Devastated upon receiving news that her estranged sister has been brutally murdered and frustrated that local police refuse to offer much help, a promising South Beach lawyer unearths some sordid details about her late sibling in this thriller highlighting the dangers of online dating.
-5
A four-part documentary about the South African Paralympic and Olympic sprinter Oscar Pistorius, who shot and killed his girlfriend in the early hours of Valentine's Day 2013. The story of a man and a nation both born to great disadvantage, the film follows the challenges, hopes and triumphs of both and the demise of their dreams under the glare of the world media.
-2
United by their renegade spirit and a determination to win against substantial odds, these riders take on the international circuit. The film offers unique insights into the first five years of their journey, bearing witness to the ethos of the team as embodied by all – from the strongest to most embattled members. Out of a culture that embraces a deeply human approach to sport, unlikely champions are born, and seemingly improbable team and personal goals are achieved.
0
Encouraged by his quirky grandfather, a young boy faces his fears at summer camp.
-1
When a deep space fishing vessel is robbed by a gang of pirates, the Captain makes a daring decision to go after a rare and nearly extinct species. His obsession propels them further into space as the crew spins toward mutiny and betrayal.
1
Depressed Jewish shrink Elia one day meets Claudia, a young and eccentric personal trainer.
-2
Gunasingam, a family-loving farmer who hails from a small town, tries his best to keep his big family united despite him being misunderstood by many.
1
A group of young people awake, locked inside a warehouse with cameras screwed into their heads. It becomes apparent that they are unwilling competitors in a deadly game, and they will need to murder each other if they hope to survive.
-4
Arnab tries to help Ruksahana, who is found under mysterious circumstances in a house. He lets her stay at his home until he discovers something strange about her.
-2
A young couple navigates through the highs and lows of a budding relationship.
0
All or Nothing: The Michigan Wolverines goes behind-the-scenes of the winningest program in college football to chronicle Michigan's 2017 season. Head coach Jim Harbaugh leads his alma mater's young team as the series provides an intimate look at the lives, both on the field and off, of the student athletes charged with carrying on Michigan's legacy.
2
Based on one of the most infamous unsolved murder cases in American history, this film follows a family who are terrorized at an isolated cabin by mysterious assailants.
-4
Kanarie (Afrikaans for 'Canary') is a coming-of-age musical war drama. Drafted into the South African army during apartheid, a young soldier joins the military's traveling choir, and romance on the battlefield causes him to deal with his long-repressed sexual identity through hardship, camaraderie, first love, and the liberating freedom of music, the true self can be discovered.
1
After escaping from summer camp, Thomas and his invisible fox Felix have the adventure of a lifetime.
-1
What would happen today in a society which defines itself Catholic and Christian if Jesus really came back as announced in the Gospels? Who would take him seriously? And what difficulties would Jesus encounter today to be recognized?
-1
Ted DiBiase Jr. takes a journey through pro-wrestlings past to tell the faith-based story of his father's rise, fall and redemption.
0
A young teacher with a storied past must win over an impossible collection of kids and become a balm in a troubled town in need of healing.
-1
The coordinates of an old satellite from India, Mihira, are lost with the potential for it to wreak havoc with communications worldwide. Astronaut Dev’s life was turned upside down five years ago and he now teaches science at a government school. He’s brought in to fix the satellite but is that the only reason he agrees to come back?
-3
This intense psychological thriller centres on the childhood friendship between Richard and Sylvia that matures into troubled waters during the pair’s adulthood when Richard decides to marry his long-term girlfriend Gbemi.
-2
Stuck in the angst of wondering who she is and what she is meant to be doing with her life, Loz, a 25 year-old aspiring playwright, finally thinks she's found the answer to all her issues. Its name is Dave.
-2
For ten years, Eriko has been chasing her dream of becoming an actress in Tokyo. Returning to her hometown for her older sister’s funeral, she realizes that she might have to readjust her path in life. She deciof the to take care of her nephew and to follow in her sister’s footsteps as a mourner-for-hire.
0
A widowed mother receives an unexpected visit from her orphaned nephew, who has a difficult time fitting into his new family, the mother struggles with the challenges of a failing business and balancing single parenthood, but in all the family's bond is tested.
-4
The Private Aichi Symbiosis Academy was originally a high school for high-class girls. When it became co-ed, the girls, out of fear, asked to be permitted to bring weapons to school. When that was enforced, a five-member vigilante corps-like organization called the "Supreme Five Swords" was also formed.

After many generations, the five swords eventually became a group which corrected problematic students, and the academy started proactively accepting such students in order to correct them.

Nomura Fudou was sent to this school after being part of a huge brawl. What will he do when the only options he has after enrolling are being expelled from that school or being corrected the way the rest of the male students there were...by being forced to dress and act like a girl!
1
The story tells the story of Sun Wukong and Erlang Shen, who come to the Immortal Mountain to cultivate their skills. They gain friendship, experience love and ultimately betrayal, growing throughout their life journey.
2
India’s first underwater war film tries to decode the mystery behind the sinking of Pakistani submarine PNS Ghazi during the Indo-Pak war of 1971.
-2
When a girl with a promising future finds herself in financial straits, she makes an agreement with an older man and struggles to keep it secret.
0
Photographer Holly Logan returns to her hometown of Gulfport, Mississippi for Christmas. The town is resurrecting their traditional holiday light show for the first time since a terrible hurricane struck five years earlier. Holly volunteers to pitch in, but soon has second thoughts when she discovers the festival is run by her high school sweetheart, Mike.
-1
A fraternity house throws their big "Winter Luau" party but when fraternity brothers and coeds begin dying horrible deaths they discover an evil entity has taken over the house.
-4
A troubled high school student discovers the truth behind his hidden abilities.
-1
The story of Barry Minkow, a young and charismatic figure in business who reaches CEO status by lying and scheming his way to the top.
1
A happy-go-lucky Mumbai suburban housewife Sulochana, fondly known as Sulu, lands the role of a night RJ, resulting in drastic changes to her routine life.
0
A year after the first movie, the four friends are enjoying their lives to the fullest, get in trouble once again with Bholi, who is released from prison earlier than expected and is broke.
-2
Country music singer Charlotte comes back home to Tennessee a week before she's set to get married, hoping to borrow her late mother's wedding dress from her grandmother.
0
The film focus especially on the period from 1999-2004 when YSR undertook his famous Padayatra which ultimately proved instrumental in catapulting him to a comprehensive victory in the 2004 polls.
4
An on-the-run twisted family of circus performers live in the remote Scottish highlands, miles away from civilisation. When a team of Roller Derby girls go camping just a bit too close to them all hell breaks loose.
-4
Comedienne, Shawn Pelofsky, stirs things up with her tales of growing up Jewish in Oklahoma, traveling to war zones and sailing on gay male cruises.
0
A man with dissociative identity disorder takes revenge on four businessmen for the murder of his family.
-3
A beautiful desperate widow goes on a dangerous quest to meet a mythical wish-granting unicorn who lies deep in the cannibal-infested "Wishing Forest." Along the way, she encounters a mighty warrior and a deceptive thief, who may or may not be trustworthy. But danger lurks everywhere and they are being tracked by the deadliest cannibal of all, a bloodthirsty savage who worships a magical feral Goddess who feasts on the hearts of his victims.
-4
Filmed and created at The World Famous Comedy Store on Sunset Blvd in West Hollywood, CA, Stevens assumes the "Sam Kinison spot", leading this late night audience on a journey showcasing his unique banter, upbeat music, classic jokes and positive punchlines.
4
Transfert" is a psychological thriller that uses psychotherapy as a means for the evolution and development of the plot. It is a game of mirrors that, through unexpected twists, offers to the audience a fascinating intellectual challenge.
-2
High schooler Masahiro Setagawa is a fairly helpless delinquent, so much so that the neighborhood bullies use him to run their errands. His life changes when he meets high school teacher Kosuke Oshiba, a man whose fighting abilities have earned him a powerful reputation on the streets. Oshiba finds himself with a desire to protect Setagawa, and despite swearing that he's not interested in men, Setagawa finds himself getting more involved in Oshiba's affairs.
1
The stage is set during the 19th century London, in its capital where a wall divides the east and west of the Kingdom of Albion. Five high school girls, who enrolled in the prestigious Queens May Fair School, are involved in spy activities that involve disguise, infiltration, car chase, and more. These girls take advantage of their special abilities and fly around the shadow world.
3
Sam Maddox, a troubled girl whose father committed suicide, has earned a reputation at her high school for being a bit promiscuous. When Sam begins seeing brilliant, MIT-bound Henry Sinclair, the two opposites really attract. Although Sam doesn't realize it, Henry is in the grip of an insane romantic obsession, and he will kill anyone who tries to put an end to his star-crossed - and increasingly deadly - romance.
-1
After ten years of dating, Chloe’s boyfriend Eric still hasn’t matured. Hoping to give him the push he needs, she dumps him; confident Eric will grow up and beg her to come back. However, six months later, Eric meets Chloe for dinner with big news: he’s getting married in a week. Needing a break to mend her broken heart, Chloe takes a vacation, but when she arrives, she learns that Eric and his fiancée are getting married at the same resort!
-3
A woman who was raped by a NetCar driver takes a job with the company to exact her revenge on her attacker after she becomes frustrated with the slow pace of the criminal Justice system.
-5
When family conflicts arise between happy couple Hallie and Lucas on the week before their big day, their plans for a breezy wedding in the tropics take a turn and their love is tested when they are forced to put on a small town winter wedding in the snow.
1
Yu Chau is a cop who has gone so deep undercover within the triad. He can no longer tell which side of the law he's on. When he accidentally kills one of his pals in an operation, he runs off into the boonies to lick his wounds. Upon his return, he teams up with fellow officers Jim and Jackie to catch a triad Boss, only to unveil collusion with government officials at the highest level. Yu Chau once again faces the dilemma of taking the law into his own hands...
-4
This is the story of the night Matt and Dave met Amy and Syd. All feeling a bit fed up with their jobs and Los Angeles, luck would have it that they decide to go to the same bar on the same night. Thankful to meet anyone who isn't painfully self absorbed, the drinks pile up as the four twenty-somethings find unexpected friendships, and maybe something more
0
A man who wants a modern girl for a wife unwillingly marries a village girl. What happens when the girl is possessed by the ghost of an aspiring actress?
0
Following a traumatic incident, a timid young woman changes her life's mission into seeking revenge as a gunfighter out for a group of killers.
-4
Young Autism sufferer Danny enjoys the serenity and solitude of camping. That's all about to change when enraged teens Nicholas, Calvin and Julia find him, each with their own agenda for wanting to see Danny suffer.
-1
A world-famous Anishinaabe musician returns to the reserve to rest and recharge — only to discover that fame (and the outside world) are not easily left behind.
2
Compelled by grief and curiosity a young Englishman travels to France where he meets an eccentric older woman and unearths truths about the father he never really knew and about himself.
-2
A young girl and her brother come of age at their great grandmother's house in Virginia during the 1940s. After a family tragedy, a young girl moves from New York with your younger brother to live with their great grandmother on a Virginia farm and comes closer to understanding the land and roots that inspired her father's writings while discovering herself, the love of family, and the power of truly believing.
2
When Sasha's mother arrives on her doorstep without warning the young musician is unable to hide her trepidation. As she tries to prepare for the most important concert of her career, the reasons for her mother's visit come to light and Sasha must find a way to survive the remaining 24 hours, confronting both the volatile woman and the past that Sasha had worked so hard to leave behind her.
-2
What’s the matter with Kathy (Jordan Trovillion, Highland Park)? She’s your typical 17 year-old girl in search of something more in her life. It seems the only place she is going to find it is at Horse Camp. Her father Luke (Dean Cain, Lois & Clark: The New Adventures of Superman) recognizes that she’s got it in her blood, a sensibility in her being - she understands horses just as much as they understand her. But at Horse Camp there is much more to learn, not only about horses, but about people and the many challenges of friendship.
0
Biswa Mast Aadmi is a stand-up comedy show by Biswa Kalyan Rath, where he cracks jokes on topics. It's funny to the audience and they laugh, thus creating sound. This, in turn, encourages Biswa to crack more jokes, so he cracks more jokes on more topics.
-7
“The Rocket" is a small town story inspired by true events, about a high school football star who suffers a severe head injury and loses his entire life plan. The heaviness of a broken relationship with his father, and losing the identity of "football star" push him to seek a new way to prove himself. Restricted from playing any sports and despite being an unlikely runner, the cross country coach brings the young man aboard his high school team out of necessity, and through much struggle, doubt, and determination, he finds a new way to push towards greatness.  With colorful characters, youthful insights, and nostalgic storytelling, "The Rocket" brings together the elements of family, loss, failure, and redemption. The entire story is based on real characters and events that took place in the mid-west in 1999.
-8
Things grow more and more desperate, and ridiculous, as three heroin addicts drive all over Los Angeles in search of what they need.
-3
On a winter day, when a tiger escapes from the zoo, a man is kicked out of his girlfriend’s house. Having no place to go, he wanders from here to there while working as a substitute driver and meets his old girlfriend. Can they start again?
0
A popular radio personality with an aversion to love meets two men with differing views on romance.
1
Chile's Natalia Valdebenito hits Santiago's Teatro Caupolicán with a one-woman show steeped in irony, a dash of improv and her own personal style.
-1
Adam is a Christian Arab living in Nazareth - member of a vanishing minority within a minority in the Holy Land and the Middle East. His wife Lamia is a strong, beautiful and progressive Arab woman, who runs a foundation for women's rights.
5
The film highlights the sacred bond with another human being through nuptial rituals and the sanctity of the institution of marriage.
0
During the course of an excavation work for the construction of a new capital at Amaravati in Andhra Pradesh, workers chance upon an antique idol of a young woman. A smuggler strikes a fancy deal to smuggle the statue abroad, but first it has to be transported to Hyderabad by road. And the antique idol suddenly comes to life!
3
After he dies in a car accident, a man receives three more days on Earth to find his soul mate.
0
Fans get a front row seat when Jack White's Boarding House Reach tour stops in Washington, D.C..
0
Centred around Ronnie, a struggling restaurateur who is mired in debt and the fallout from her previous short-lived romance with British actor Henry. Ronnie’s now living with laidback, loyal Jeff, but her world is turned upside down when Henry returns to Australia with his French lover Sophie in tow.
-2
The villagers of El Dorado, Argentina, shy away from doctors. Then again, they hardly need one. They have almost as many cures for ailments and illnesses as there are residents in the village. 65 year old Jorge can also cure the most dreaded ailment of them all, the much feared espanto.
-1
Den City is a city with advanced network systems in which a VR space called LINK VRAINS was created by SOL Technologies. The Knights of Hanoi, a group that hacks through dueling, as well as SOL Technologies are seeking a mysterious AI program. Yusaku Fujiki, also known as Playmaker, is a first year high school student who manages to capture this AI program while trying to find out the truth about an incident in the past.
0
In a futuristic society, Japan has implemented a complex system referred to as "The Red Threads of Science" to encourage successful marriages and combat increasingly low birthrates. Based on a compatibility calculation, young people at the age of 16 are assigned marriage partners by the government, with severe repercussions awaiting those who disobey the arrangement. For Yukari Nejima, a teen that considers himself average in every way, this system might be his best shot at living a fulfilling life.

However, spurred by his infatuation for his classmate and long-time crush, Misaki Takasaki, Yukari defies the system and confesses his love. After some initial reluctance, Misaki reciprocates his feelings in a moment of passion. Unfortunately, before the two can further their relationship, Yukari receives his marriage notice. He is then thrown into a confusing web of love and lies when his less-than-thrilled assigned partner, Ririna Sanada, becomes fascinated with his illicit romance.
-3
The fictionalized life story of Mexican singer / songwriter known as "Paquita la del Barrio."
0
The world-famous talking moose and flying squirrel are back in The Adventures of Rocky and Bullwinkle, a comedy about two goofball friends who end up in harrowing situations but end up saving the day time and again. As their silly ambitions dovetail with Fearless Leader's sinister plans to take over the world, they are set on a collision course with his notorious super spies Boris and Natasha.
-1
In an imaginary world where vehicles are the citizens, one underdog cabbie attempts to become king of the road in his hometown, Gasket City. He soon discovers that staying true to oneself is a greater pursuit than personal glory. When threatened by elitist attitudes and mobster trucks, can one unglamorous black and yellow ‘local zero’ rise to the challenge and become a ‘global hero’?
-1
When ambitious reporter Allie Rusch is recruited by vindictive music manager Vivian Cartwright to play cupid to famous pop musicians Caleb Greene and Carson Peet in return for an exclusive story over Valentine's weekend, Allie soon realizes Caleb has his sights set on her. Now, torn between her big career move and her growing feelings for Caleb, Allie is left to question whether she can coerce Caleb into something his heart does not desire, or if she should fall in love and make him her very own Valentine.
0
A pathetic minor league Soccer Goalkeeper was given a task - to spend 1 Billion in thirty days, if successful he will get 30 Billion. However, he's not allowed to tell anyone about the task and he must not own any valuables by end of it.
1
Every day, a young girl wearing a mask stands by the beach and sings a nostalgic melody. After experiencing two sudden heart-wrenching partings when she was only a child, Nino Arisugawa has been singing her songs to the ocean, bound by a promise made with her two childhood friends—her first love, Momo Sakaki, and a boy who composed music, Kanade "Yuzu" Yuzuhira. Having never met each other, the boys both individually promised that if Nino was ever separated from them, her voice would be the beacon to reunite them once again.

After six long years, destiny has finally placed Nino, Momo, and Yuzu in the same high school. However, the passage of time has changed many things in their lives—while Nino relentlessly attempts to fulfill her childhood promise with the boys, Yuzu's feelings for her from the past resurface, and Momo goes to great lengths to prevent a reunion with Nino. Through music, will they be able to mend their friendship and overcome all the feelings involved in this complicated love triangle?
5
A story filled with laughter and tears revolving around an archaeologist who time travels to the Tang Dynasty and gets caught in the political struggles in the palace.

After getting caught in a sandstorm while on an archeological expedition, Yun Ye is shocked to find that he has ended up in the Tang Dynasty. He makes use of his knowledge from the modern day to carve out a decent life for himself and slowly climbs the ranks as a court official. He becomes friends with the Crown Prince and also encounters an old love.
0
Thomas leaves Sodor to fulfil his dream of seeing the world. This heroic quest takes Thomas across deserts, through jungles and over dangerous mountains as he travels across five continents seeing sights he has never seen before.
-1
Emilie is a bright young workaholic manager in Human Resources, working for a huge French agro-food company. But, one day, one of the employees commits suicide at the company in front of her. While an investigation is underway, stuck between her traumatized colleagues and under pressure of a powerful hierarchy, she will have to get by on her own.
-1
A stolen seismic weapon is activated in Yemen. A hostage freed there tries in vain to warn against its global effect. It starts seismic activity at the Californian fault line where her daughter and ex are monitoring it. Can they stop it?
-3
Leo the wombat, Carmen the butterfly, and Andy the frog travel around the world to learn about culture with their friend, Luna the moon.
0
DCP Shivansh has been tasked to catch Vir, the man behind police killings in the city. Both are eventually against the same enemy but divided by a fine line, the law.
-1
Japan in the near future suffers an unexplained major disaster. Five years later, reconstruction is well underway. Two young researchers at a university are pinning all their hopes on robot development. Now their new interpretation of the eternal hero Astro Boy up until his birth is just about to start!
-1
Two Iranian pilots are in a special mission to save the people of a Syrian city who are surrounded by the terrorists. But they have to face many challenges before manage to accomplish their mission.
1
A follow on story from the Barbie: Dreamtopia movie.
0
Animal-inspired humanoid girls have adventures with their animal companions.
0
Set in 1948, the historic story of India's first Olympic medal post their independence.
0
Avinash, a dejected soul stuck in a dead-end job shares a strange relationship with his father. He holds him responsible for crushing his dreams. However, he is left pondering upon this longstanding hatred when he hears of his father’s untimely demise.
-7
Qian Yunxi, the oldest daughter of the prime minister was born with a special ability. Because of this she was deemed 'abnormal' and was raised at Mt. Lin Yun. Upon turning 16, she took her younger sister's place to marry into the royal family of Ye. Rumors say Ye Youming is strange, cold and cruel. Just how will Qian Yunxi's fate play out?

(Source: Baka-Updates Manga)
-4
An ex-felon joins an Israeli crime syndicate in Brooklyn.
-1
Jocelyn's boyfriend is perfect--except for his dangerous identical twin brother, Derek, who just escaped from a mental institution. When Derek unspools a twisted plan of revenge with Jocelyn in his crosshairs, her mother Ashley must act fast before she falls victim to a psychopath.
-2
Diane is a struggling single mom in LA. Just when things are at their worst, but she will have to live in small town USA for a year and take care of a dog for a year before the house is hers.
-2
A fractured family is forced to confront what tore them apart at the eldest son's wedding.
-1
Join Thomas and his friends in this exciting adventure to the mainland that shows us friendship is more important than being the favorite engine. Can Thomas and the new experimental engines save James and help bring him back to the Island of Sodor?
3
Detective Kaniyan Poonkundran is hungry for a challenging case to investigate and the mystery of a murdered dog leads to a rival who could be the match for him.
-2
A peaceful community is forever changed when a mysterious young woman moves in. As the quirky locals embrace her, their lives soon improve. But, they can't help notice that their strange new neighbor has a secret.
0
Malky is a demolition worker whose life receives a seismic shock when, out drinking with friends at a local pub, he sees a disturbing figure from his past: the man he holds responsible for a traumatic childhood incident. Fueled by anger, Malky sets out on a path of vengeance—and discovers that no one can escape the consequences of their sins.
-5
Chris Claremont’s X-Men takes an in-depth look at Claremont’s monumental run. Using high-profile interviews, the film explores the behind-the-scenes development of notable characters like Wolverine, Storm, and Phoenix, as well as the challenges of creating art within a corporate system.
3
CIA analyst Riley Quinn lost everything when she blew the whistle on the US government. Hunted into exile, she escaped to Colombia. Two years later, Riley is living a loner lifestyle when suddenly CIA Agent Bill Donovan shows up with an offer. Her name will be cleared if she helps an international task force confiscate millions. Riley accepts the job, but she realizes too late that it's a lie. Pursued by corrupt agents, Riley must battle the demons of her past and find a way back home.
-5
After a man discovers his young wife is cheating on him with a neighborhood boy, he goes down a dangerous path of revenge & destruction.
-4
A young man who wants to own a house buys a mansion and moves into it with his extended family not knowing that there is a ghost in the place.
0
An idealistic young priest is dedicated to his calling until he meets a woman at confession. After the meeting, he seeks guidance from his fellow priests.
1
Emmett Murphy (Shane Hagedorn) is a Civil War veteran who returns to his Michigan home looking for peace. After his wife dies, he fulfills his promise to a dying soldier and brings the Negro widow, Haddie (Lauren LaStrada) and her daughter to stay with him and his son. The townsfolk aren’t ready for this modern family and a nefarious plot to remove them is hatched. Facing bigotry and greatly outnumbered, Emmett struggles to find faith. But when the circus train comes to town, a mysterious turn of events provide Emmett and his family with the unexpected help they need to overcome.
-2
On the eve of Independence, the chairman of the Border Commission, Sir Cyril Radcliffe decides to divide India and Pakistan into equitable halves. What the administration doesn’t account for is the line running through the middle of Begum Jaan’s brothel situated plonk on the border; with one half falling in India and the other in Pakistan.
0
Three childhood friends, Sarah, Riley and Cat, with fond memories of Christmas at Sarah's house, come together as adults to save Sarah's home in the hopes of having many more beautiful Christmases together.
2
After a white couple inexplicably gives birth to a black child, the purest bonds of trust, friendship, and love are put to the ultimate test.
2
It’s been one year since Elizabeth’s husband, Bill, died in a tragic horseback riding accident and she is starting to move on. When she runs into Travis Brown, the cowboy she met the same weekend Bill died, the two immediately hit it off. Travis is just what Elizabeth needed to come into her life and they soon get married. When new evidence surfaces implying that Bill’s death wasn’t an accident, Elizabeth must find a way to protect herself and her son from the man she married.
-3
A Grieving mother suspects that her son's ex-girlfriend may have been involved in his death.
-3
Mohawk archaeologist Baptiste Asigny engages in a search for his ancestors following a tragic terrain slump in the Percival Molson Stadium.
-2
In Haq Se Single, Zakir's narrative takes you through his own journey of becoming the ultimate #SakhtLaunda. The guy who's survived rejection, love, heart breaks and adulthood - who's single and proud of it!
0
Renowned entertainers and car lovers grasp the wheel and compete with their battle cars in a variety of never before seen challenges! They face off in life-threatening duels designed to test their speed, courage, and above all, their grit! Put the pedal to the metal! Burn! Destroy! Crash into! This is a new show of the "Dangertainment variety (danger + entertainment)".
0
From Kotaro Ishidate, tthe creator of some popular ad-lib animes such as Tesagure! Bukatsu-mono and gdgd Fairies. This new anime centers on five girls and one cat all living as housemates in Nakano, Tokyo: the three Himote sisters (Tokiyo, Kinami, and Kokoro) whose family manages the "Himote House," Kokoro's classmates Tae and Minamo, and the cat Enishi. The girls live their daily lives trying to figure out ways to be popular, and they (and the cat) all possess a mysterious secret power...
1
Legendary baseball coach, Don, gets inexperienced Michael as his new assistant coach. As their lives dramatically change, the coaches must come together to help their team win.
1
After a rocky start, a friendship develops between a happy-go-lucky youth and a girl from the city.
-1
Three friends — Ashwin, Kishore and Praveen get into business by purchasing a resort. Pretty soon, they find that they've got more than what they've bargained for. Apparently, the resort is haunted by a ghost. Unwilling to sell the resort, they seek the help of a mentalist, Rudra, to exorcise the ghost.
0
When pretty dress-maker Andy joins a motley crew of brides-to-be for a grueling bridal boot camp, where young ladies learn how to become "better" brides, she thinks she's found the perfect place to become the perfect bride. But when Andy meets Casey, a handsome delivery man who doesn't believe in marriage, she starts to question her picture perfect image of her current engagement and what marriage truly means.
5
This is a mystery-solving adventure story about an idol girl Xia Zao An (with a hidden personality named Ai Di Sheng) and genius detective Mi Ka Ka who experienced a series of revenge cases together and fight against a secret organization named Poker. While resolving the cases, Xia Zao An's another personality is also emerging gradually...
1
An inseparable couple Saira and Shiva find themselves in a complicated situation when a stranger claims to be her reincarnated lover from their previous lifetime, hellbent on destroying their relationship and winning her back.
0
When a flyover in the city becomes the hotbed of accidents, a young reporter decides to investigate the issue. Her quest for an answer would lead her into a web of intrigue, murder and mystery.
-1
It's 2049 on a forsaken island off the coast of Toronto where the survival of the islanders depends on young Ti-Jeanne to risk death by a spirit so she can take her place as a caribbean priestess and save her people.
-2
The journey of a struggling singer 'Fanney Khan' who aspires to make his daughter a big name in the music world.
-1
The life of three youngsters, who go to Rangoon to strike a business deal, witnesses several twists and turns, for which they pay heavy price.
-2
An estranged couple happen to meet on a train journey where they independently reflect on what went wrong in their relationship and whether they will truly be able to move forward and start a new chapter, together or alone.
-2
A shoe-smith Arun Sachdeva (Sanjay) is shattered when he discovers that his daughter, Bhoomi (Aditi) has been raped by Dhauli (Sharad) and his gang of three. The father and daughter grieve for a bit before planning revenge.
-3
Rachel meets Nathan, a gay man who later marries her when pressured by family. Unhappy and trapped, Nathan plans to fake his death, and later he undergoes a sexual reassignment and facial surgery in another country. Years later, Rachel meets and falls for Gavin, who has a wife named Venus--who is actually what her former husband Nathan has made of himself.
-5
A strict female CEO of an insurance company has already given up on love and believes that only the love towards a child is true and eternal. Thus, she decides to have her own child so she "borrows" sperm from a delivery man whom she hired, but things start to get out of hand when the two starts to fall in love with each other.
1
Trying to survive the family Christmas, Cody makes a wish to be alone, which ends up backfiring when a shark manifests and kills his entire family.
-2
Oei, later known as Katsushika Oi, was born the third daughter of Edo’s talented painter Katsushika Hokusai and his second wife Koto. Although Oei became the wife of a town painter for a time, her love of the paintbrush more than her husband spelt disaster and she comes back home to Hokusai from the family she had married into. This is how Oei starts to help her father out in his painting of the “insurmountable high wall”. Meanwhile, Oei can only talk to the painter Ikeda Zenjiro, who is her father’s student, about her pain and worries. Zenjiro has taken Edo by storm as Keisai Eisen, the master of ukiyo-e portraying beautiful women. He visits regularly because he admires Hokusai and secretly likes Oei although their relationship is like childhood friends. Oei respects her father whose paintings fascinated her and continues to work as a painter who supports him behind the scenes. When Hokusai’s masterpiece Thirty-six Views of Mount Fuji was completed, she was also by his side.
6
After taking a break for the summer before their senior year, Ryan and Jess rekindle their relationship, and find out that Jess is pregnant with twins. When Ryan's mother demands a paternity test, they find out that Ryan is only the father of one baby... The other father is Ryan's best friend Bryce, who Ryan discovers date raped Jess at a party over the summer. With college recruiters and an overbearing father looming over Bryce's head, he will stop at nothing to make sure that he clears his name--even if it means getting rid of Jess and her babies! Morgan Obenreder, Mark Grossman, Megan Gallagher, Griffin Freeman, David Starzyk star. (2017)
-1
An entire year of investigation, multiple law enforcement agencies, hundreds of police reports, months of undercover surveillance, thousands of man hours, numerous polygraphs, a string of mysterious fires, a series of unexplained explosions, life threatening injuries, and one family’s worst fears realized.
-6
Abhimanyu Roy is stuck with writer's block until he decides to re-live the memories of his childhood sweetheart Bindu who aspires to be a successful singer and struggles to give Abhi the one thing he craves - stability.
1
This is the story of Dame Barbara Windsor, the Cockney kid with a dazzling smile and talent to match. Preparing to perform in the theatre one cold evening in 1993, the cheeky, chirpy blonde Babs recounts the people and events that have shaped her life and career over fifty years from 1943 to 1993. She contemplates her lonely childhood and WWII evacuation, her decision to go from Barbara Ann Deeks to Barbara Windsor - inspired by the Coronation of Queen Elizabeth II, her complicated relationship with her father, her doomed marriage to Ronnie Knight, capturing the attention of Joan Littlewood and becoming the blonde bombshell in the Carry On films. Babs, ever the consummate professional, never lets her fans down whatever her personal anguish and steps on the stage to rapturous applause.
0
A photographer on a trip to Japan meets a fellow American woman and they quickly fall in love. However, when he returns home to the US, he discovers that she is his girlfriend's older sister.
0
Rahul Subramanian's stand up comedy solo 'Kal Main Udega' is filled with unrelated topics, no transitions, inconsequential takes on consequential subjects and also a bit of mildly bad dancing.
-2
A Gujarati housekeeper working in the United States, allows her ambitions to overpower her which leads her to get involved in the world of crime.
-1
Following a very public fall from grace, country music star Faith Winters seeks refuge in her rural Texas hometown, where she rediscovers feelings for her high school sweetheart, the local pastor. But the homecoming is bittersweet.
2
A former basketball player bonds with a robber and becomes attracted to a dark lifestyle.
-1
When the award-winning filmmaker of "An Ordinary Hero", Loki Mulholland, dives into the 400 year history of institutional racism in America he is confronted with the shocking reality that his family helped start it all from the very beginning.
0
An enterprising youngster in a slum wants his people to lead a life of dignity, but has to take on an ambitious capitalist, who only wants to dominate his field.
5
20-year-old Margaux makes the acquaintance of 45-year-old Margaux: they have a lot in common – so much so that it turns out they are one and the same person, at two different ages and stages of their life…
0
When two siblings undertake an archaeological excavation of their late grandmother’s house, they embark on a magical-realist journey from her home in New Jersey to ancient Rome, from fashion to physics, in search of what life remains in the objects we leave behind.
-1
In an attempt to cope with her sister's death, Sarah joins a sorority. However, as her new sisters begin to manipulate her, she becomes trapped in their devious plans and has to fight to maintain her innocence.
-4
80-year-old Ali Ungar comes across a book by a former SS officer describing his wartime activities in Slovakia. He realises his parents were executed by him. He sets out to take revenge but finds instead his 70-year-old son, Georg, a retired teacher. Georg, who had avoided his father all his life, decides to find out more about him and offers Ali to be his interpreter.
-1
A comic-caper, that tells the story of 3 morons trying to rob a bank who pick the worst day possible when everything that can go wrong, goes wrong and how they're inadvertently caught in the crossfire.
-4
Reserved history teacher Fran has long had a strained relationship with her eccentric, free-spirit mother Mim. When Mim announces that she is dying Fran feels obliged to accompany her on a road trip ticking off items on her bucket list.
-3
Got My Hustle Up is about a young man forced to grow up quickly after his father is killed. Growing up fast in Dayton, OH he's surrounded by violence and the drug life. He wants to be a good father to his son but struggles to support him on his salary as a pest control technician. Jason and his partner Boo Pac find themselves dealing with crazy customers and a crooked boss. Eventually he's face to face with the man responsible for his father's death. Jason wonders if the gaining money, power and respect are worth more than loyalty to his father.
2
The honey-extracting tribal folks of Kadambavanam, a village in the deep interiors of dense forests, enjoy their peaceful & humble lives with the philosophical company of their forefathers. Presence of limestone underneath earns the village some interest from unethical vultures. With multiple soft evacuation plans failing against the tribal resistance, they resort to uglier ways putting the villagers’ lives into complete disarray. Can they withstand when payback time presents itself?
-3
Titan, Saturn's largest moon, is a planetary body capable of human habitation. Cassini-Huygens probe journeyed to Titan. Discover what lies on its surface and find out if it may one day become a habitable zone.
0
A happy-go-lucky-guy falls in love with the sister of a ruthless gangster. How does the former convince his lover's brother?
-1
Comedian Nick Cannon is back - and using his potent voice to attack the haters and naysayers, while discussing everything from the controversial times we're living in to how getting old affects his dating. Plus, there's Nick's scoop on how a trip to Australia was the straw that broke his marriage to Mariah Carey's back. Filmed live at the Ebony Repertory Theatre in South Central Los Angles.
-4
Paula, an above-average intelligent student, is in love with her classmate Charlotte. At the same time she feels permanently provoked by dissolute Lilly to challenge her limits.
0
A stringent cop tries all the possible ways to nab a dreaded don who poses a big threat to the society.
-2
An intimate journey into the life and legacy of one of the most respected and beloved legendary icons, Leonard Nimoy.  "Remembering Leonard" focuses on Nimoy's personal battle with Chronic Obstructive Pulmonary Disease (COPD).
2
Samantha and John Grey find themselves at a crossroads in their marriage. Samantha is considered the modern day 'Dear Abby' of talk radio and as a Doctor of Psychology; Samantha is meticulous to detail and advocates communication as the key to all successful marriages. Feeling her biological clock ticking, she's ready to start a family - if only she could convince her husband John.
5
The jumbled up, crazy and happening life of journalist Noor takes a dramatic turn when she comes across a news breaking cover story
-2
A Comedy about the only two guys left in Silicon Valley who have nothing to do with technology.
0
He's a comic. A husband. A dad. An American. And on top of it all, he's hilarious. Steve Byrne brings his signature style to Chicago with an all-new comedy special that holds no punches, calls it like it is and tells the damn jokes.
0
A constable who prefers to mind his own business gets into a situation where he has to hide from a most-wanted gangster.
0
A narcissistic playboy entrepreneur with a dark past plays a new virtual reality game where he gets to be a serial killer. His genius brother discovers the dangerous truth behind the game and his creators.
-2
Romance blossoms between young Sushrut and Michelle when they meet during the festival of Navratri. When Michelle returns home to the United Kingdom, Sushrut embarks on an adventurous journey through a strange land to win back the woman he loves.
3
Nani's brother and his friends are his world. But he shares a love-hate relationship with his sister-in-law Jyothi. What happens when Shiva threatens his family, is what 'MCA' is all about.
0
A plane bearing biohazardous material crashes into a town, and a deaf women has to navigate her way through the aftermath.
-2
Lavell is back home in St. Louis discussing every holiday from what Christmas was like when he was a kid, to the guilt everyone feels on Mother's Day, to Thanksgiving and his family trips to Disneyland.
0
On his 60th birthday, Van is told that he is seriously ill. But instead of going to Taipei for treatment, his illness leads him to Japan. Together with his son, he goes in search of the father who abandoned him 50 years ago. At the same time, a young man with a mysterious connection to Van's past is travelling from Hong Kong to Taiwan.
-1
A group of freshmen in an orthodox college are introduced in a world of cons, pleasure and money, but they soon discover that's not the way one's life should be lead.
2
A school student, who is passionate about dance, sets out to join a national-level competition without her mother’s knowledge.
1
Kevin invites his friends to join him in taking on a different whacky workout from sumo wrestling with Conan O'Brien to goat yoga with Khloé Kardashian and cowboy rodeo-ing with Leslie Jones.
0
The ironically-named Lucky gets embroiled in a heist when a friend hands him a bag of cash, which was stolen from a don, who stole it from the bank, and will not rest until he recovers it.
-2
A don sends three criminals to recover a treasure buried by his grandfather in a village. A fourth criminal joins the trio en route, and they decide to hoodwink the don and share the treasure between themselves.
0
Bouncing with nail-biting suspense and ingenious humor, young Chinese filmmaker Li Yuhe's feature debut portrays a puzzling crime happened in a rural small town, where greed, lust and wit battle it out in one night. It all starts from a sexually impotent motel owner hiring a pro to murder his cheating wife. Everything goes exactly as planned, until two blind daters, a robber, a policeman and a strange dead body unexpectedly arrive.
-8
A love story between a woman who was wronged by a past love and the man that helps her regain confidence.
3
A group of young tourists arrive at an abandoned lodge in Africa that holds an ominous and deadly secret.
-2
Director Scott Haze chronicles the remarkable life of Charles Mully. A man revered as "Father to the Fatherless," Mully is a one time Kenyan business tycoon turned founder of Mully Children's Family, the largest children's rescue, rehabilitation and development organization in Africa.
0
Doung Stanhope has traveled the world and made himself a real comedian's comedian, check him out with comedians' comedian's comedians Brendon Walsh, Morgan Murphy, and Glenn Wool in this comedy special shot during Austin, TX's South by Southwest.
0
When a thirty-something 'suit' breaks into a music festival to retrieve his stolen belongings, he ends up finding love and freedom instead.
0
Madrasi Da is S. Aravind talking about men and women or the lack of them in his life from a Middle Class prospective. Running commentary. Crawling ambitions. Long distance delusion. Single? You are his new best friend.
-1
A veteran theatre artist who lives for his art 'enters' the world of films. Can the film industry hold on to his inimitable artistry?
0
Jake and Desmond (Paranormal Exterminators) team up with Alison, whose house is infested with undead creatures, to fight the horde and keep a demon from entering our dimension.
-3
From Schubert to Strauss, Bach to Brahms, Mozart to…Billy Joel, Itzhak Perlman’s violin playing transcends mere performance to evoke the celebrations and struggles of real life. Director Alison Chernick’s (The Jeff Koons Show, Matthew Barney: No Restraint) new documentary provides an intimate, cinéma vérité look at the remarkable life and career of this musician, widely considered the world’s greatest violinist. Features new interviews with the world-renowned violinist, his family, friends and colleagues including Billy Joel, Alan Alda, pianist Martha Argerich and cellist Mischa Maisky.
3
Piper Jansen is a slick public relations genius and owner of her own company "Piper's Picks." After creating countless successful campaigns, she decides to use her grandmother's holiday recipes to write and launch a book of her own but, suddenly finds herself in the middle of a very public scandal that threatens the launch of the book as well as her business.
3
Three girls, fresh from their high school graduation, find themselves captured and tortured by a cannibalistic chef.
0
EAT. RACE. WIN. is a behind-the-scenes adventure into the biggest annual sporting event on the planet: The Tour de France. The Queen of Performance Cooking, Chef Hannah Grant, takes you on her race within the race as she sources performance food for Australia's pro cycling team, Orica-Scott. Hannah shows us exactly what it takes to perform at the edge of human endurance for 21 race days.
1
Claire has dark secrets. She’s haunted by a past she has trouble remembering. Trapped in a house she can’t escape. Pursued by something she doesn’t understand. Haunted by a past she can’t remember, with only a young version of herself to show her the way in this haunting non-linear telling of a story inspired by actual events.
-4
Created between the ages of 14 and 16, teenage director Elliott Hasler's depiction of his great-grandfather's experiences in WWII; an escaped British POW's battle for survival whilst on the run in war-torn Italy.
1
Join author Paul Young on an adventure into the world of the best-selling phenomenon, "The Shack." Stunningly filmed in "Big Sky" country, this inside look at how Paul's own life journey shaped his writing explores questions of faith, grief, wonder and relationship with the Father, Son and Holy Spirit.
4
After a long exile, Rahul returns to his village in the Himalayas. It causes commotion amongst the villagers, who have never forgiven him for his sins in the past.
-3
Arctic Daughter: A Lifetime of Wilderness is the second documentary by Jean Aspen and Tom Irons. Recorded at their cabin in Alaska's remote Brooks Range, it layers historic footage, vivid photos and video and original music to portray Aspen's amazing life. Born to explorer parents, Connie and Bud Helmericks, Jeanie began life in arctic wilds. At twenty-two, she and a friend set off on the Yukon River for a year alone. This lyrical odyssey across seven decades celebrates the art of following one's dreams beyond a beaten trail.
2
The Improv All Stars Games Night is an improvised show where 2 teams compete in a fun games night styled Improv battle. Everything is made up on the spot, based on suggestions the audience gives them. There are 10 games, 5 rounds, 2 teams but everyone's a winner. Featuring Biswa Kalyan Rath, Rahul Subrmanian, Aadar Malik, Jahnvi Dave, Radhika Vaz, Danish Sait and hosted by Kaneez Surka.
2
In this production for the big screen, Pocoyo, Nina, Pato and Elly will have to work as a team and overcome their fears to defeat a villain who threatens the peace of the Pocoyo world. The gang will live an endless number of adventures with which the youngest will enjoy, but they will also conquer the elders for their originality and ingenuity. Besides living a multitude of funny stories, the spectators will dance, sing and learn with Pocoyo, participate in a frenetic race, travel to a world of inventions and information viruses and help Pocoyo and his friends find the delicious Easter eggs.
3
Half Mick, half WOP, hard-headed comedian Andrew Santino returns to his Chicago hometown for a stand-up special with the authentic taste of a city made of Italian beef, Old Style and deep dish. Shot at the historic Vic Theater, Santino touches on everything from growing up thinking he was black and a disgust with bachelorette parties, to his bouts with severe acne and male porn stars envy.
0
Diya, a twelfth standard school girl, due to peer pressure and her surroundings, is in quest of her love. She finds a twenty-five-year-old Arjun, who is a software engineer by profession, as her perfect match and tries to impress him. How Diya wins her love overcoming all the social stigma forms the main part of the story.
4
Alan (Michael Nathanson), a successful TV producer of popular but bubble-headed sci-fi series, is about to get married to his beautiful fiancée, Jennifer (Charlbi Dean), the voluptuous but vacuous star of his hit TV show, "Porthole." To celebrate, they schedule a destination wedding in Palm Springs, where he holds a reunion of his closest friends from college. Arriving in Palm Springs to celebrate are a diverse range of characters including his best friends Kevin (Jason Tobias), now an attorney who has given up his dreams for the future, his ex-wife Gabrielle (Diana Gettinger), who is going through a mid-life crisis of her own and has taken up with a young and wild 20 year old, Amber (Sierra Love), the pretentious and prurient blogger Ian (J.C. Mackenzie), his old college roommate Mitch (Steve Agee), a successful and well-adjusted dentist, and Steven (Adam Huss), who is attending with his new boyfriend Stephen (Johnathan Fernandez). But the person Alan is most excited to see is Laura (Viva Bianca), who is attending with her French husband, Jose (Miklos Banyai), a famous painter, who feels out of place and out of step with the reunited old friends. As the weekend goes on Alan's impending nuptials are put into jeopardy.
5
A young man in order to marry the love of his life, he has to hide the fact that he can't drive from the girl's mother.
1
An army veteran discovers an abandoned boy lurking in the woods behind her childhood home. After taking in the boy, she searches for clues to his identity, and discovers local folklore about a malevolent life-draining spirit that comes in the form of a child: The Tatterdemalion.
-2
In his 5th stand-up special, Paavam (Innocent) comedian Kenny Sebastian talks about moving cities, his parents and why he is a former nice guy.
1
27-year-old Hatsumi Takimoto is a former teacher and now waitress. She holds a secret. Three years after her boyfriend died, she receives a letter from him. After meeting a former student, Hatsumi Takimoto confesses about her past.
-1
Going Viral Pvt. Ltd is a company where hopeful Indians come with their dreams and money - to do the one thing everyone aspires to - become famous by going viral. Can this firm win over social media? Or will it all end in disaster?
2
An ambitious youngster lands in trouble after making forged documents to earn money. A cop promises to let him go if he coughs up a huge sum, but the guy ends up kidnapping a girl, which makes things worse.
-1
Each year over 100 million passengers pass through Hartfield Jackson Atlanta airport - making it the busiest in the world.  With an extraordinary all-areas-pass, this film offers up a unique combination of jaw-dropping scale and surprisingly intimate stories, to build a picture of the daily challenges faced by some of its 63,000 staff.
3
After decades behind bars, three men set out to prove success can lie on the other side of tragedy. Follows the stories of Harrison, Noel, and Chris as they return home from San Quentin State Prison. After spending most of their lives incarcerated, they are forced to reconcile their perception of themselves with a reality they are unprepared for. Each struggles to overcome personal demons and reconstruct their fractured lives. Grappling with day-to-day challenges and striving for success, they work to reconnect with family and provide for themselves for the first time in their adult lives. Told in an unadorned vérité style, we experience the truth of their heartaches and triumphs. As their stories unfold over weeks, months and years, the precarious nature of freedom after incarceration in America is revealed.
0
Brent Weinbach is weird. In this show, Brent attempts to adjust his quirky personality so that he can fit in with the world around him, which would be valuable to his career as a comedian and entertainer. Through an absurd and abstract discourse, Brent explores the ways in which he can appeal to a broader, mainstream audience, so that ultimately, he can become successful in show business.
1
Beyond Food explores the ways a group of extraordinary people live amazing lives, eat delicious food while extracting more energy and mental focus from their daily rituals. Biohackers, Paleo, Vegan, Neuroscientists, Athletes, Foragers, Ranchers, Farmers, Gut scientists. Some of our characters are Dave Asprey (Bulletproof Exec), Mariel Hemingway, Laird Hamilton, James Hardt (Biocybernaut Institute Advanced Neurofeedback) Our target audience is everyone who is desiring to learn how to fuel and create an extraordinary life. Our main purpose is to share the lessons from the journey we lived because it changed our lives.
6
A 100% Australian Suspense Thriller filmed in Western Australia. Using the state of the art Red Dragon camera.
0
A slick serial seducer bets his friends that he can bed three old flames in six weeks, in this risqué comedy from the director of the smash hit Wives on Strike.
-1
Sanya, a rebellious contemporary girl but a poet at heart, escapes her strict orthodox father's house in search of a new life. She ends up being a keep of Sultan, a don from Kurla.
-2
Pigeons, NBA Jam, a Disney Channel audition gone wrong. Fahim Anwar displays some of the smartest stupid material with moments of poignancy in his first one hour special. Join him on the quest to make his parents less disappointed.
-3
In this special filmed in both Lebanon and America, Nemr puts together an hour of uproarious comedy capturing thousands of people from the Middle East and America laughing at the same jokes, told by the same man.
-2
A twelve-year-old existentialist kid runs away from home to meet his favorite philosopher, Albert Camus, not knowing he has been dead for fifty years. On his way he finds love and rejection for the first time in his life.
0
Vova and his best friend Kisa make ends meet by working for the local thug in Vladivostock, Russia until one assignment forces them to question their own morality and puts their friendship to the ultimate test.
1
This series frames 3 Mexican families from different regions, the southern from Merida, the Northerns from Monterrey and the middle of the country by a Mexico city family. All 3 families have one thing in common: "obesity and bad health habits'...all of which is depicted in a funny way to show how the consequences of these bad habits bite on their lives in all sort of ways. Is a fun thing to whatch, but not with the little ones as several society diseases are brought in to the screen.
-2
Accounts of some of the most extraordinary tales of scammers and fraudsters who have used the internet to find their victims and to lure and con them, with terrifying and sometimes deadly results.
-1
Recreation of facts and stories of both experts and people who met Maximilian Kolbe and were shocked by his words and actions.
-1
‘Dandupalyam 2’ is the sequel to 2012 thriller ‘Dandupalyam’ that chronicled the life and exploitations of the scandalous D-gang. ‘Dandupalya 2’ offers a whole new perspective to the already established story, making one question everything they already know.
-2
A wedding conflict between two families.
-1
Jason has made up his mind: he's going to live in the wilderness for a year. One problem: he's never been camping. While he's preparing, he meets Mona, a goal oriented corporate type who has just suffered a nervous breakdown at work. They fall in love but ultimately Jason must decide: follow his dream or his heart.
-3
Witness the shocking evidence unfold as paranormal researchers investigate the last remaining building of the ghost town of Iva, Michigan. The old general store, which looms over Dice road, serves as the final monument to those who perished in a deadly plague.  When the Midcalf family decided to rescue an old Michigan landmark, they soon realized they were the ones in need of saving.
-3
Through newly discovered geological and statistical patterns, many believe it can be proven that the Tribulation is about to begin!
1
Sam Cooke died at the age of 33 on December 11, 1964, at the Hacienda Motel, at 9137 South Figueroa Street, in Los Angeles, California. Answering separate reports of a shooting and of a kidnapping at the motel, police found Cooke's body, clad only in a sports jacket and shoes but no shirt, pants or underwear. He had sustained a gunshot wound to the chest, which was later determined to have pierced his heart. The motel's manager, Bertha Franklin, said she had shot Cooke in self-defense after he broke into her office residence and attacked her. Her account was immediately questioned and disputed by acquaintances.
-4
What can the giant planet Jupiter tell us about the birth of our solar system five billion years ago? Drawing on new findings from NASA's Juno mission, scientists are peering into Jupiter's stormy heart to reveal the very origins of our solar system: a chaotic early time when smaller planets were flung space or sent into shattering collisions, and the fate of planet Earth hung in the balance.
-3
In order to save tiny Luxembourg from a cosmic catastrophe, a civil servant in a midlife crisis has to find back his lost superpowers and face his biggest fear: his family.
-4
Aleksey Temnikov is a renowned ballet dancer and an acknowledged genius whose career was abruptly cut short after sustaining an injury in the 1990s. Twenty years later, Aleksey discovers that his condition is degenerative and that he will soon lose the ability to walk. Aleksey sets out to choreograph a ballet he envisaged long before but never staged for fear of failure. “What will I leave behind after I am gone?” is a question Aleksey feels he must contend with. However, returning to the world of ballet will not be easy for a man who has made so many enemies over the course of his life.
-4
Nothing in life is black and white, except Take It Easy, Anirban Dasgupta's stand-up special. His material deals with hate and love in the hostile internet era, and why both these intense emotions need to be told to take it easy. In this set he comprehends events from the past year at home and at work; events he would rather forget unless he wrote jokes on them.
0
Attorney Tanya McQueen has hired a team of anthropologists to find an ancient artifact which, if found, would halt development of Nick Button's shopping mall in the sacred Hemolele Forest on Kaua'i. The team is led by the experienced duo of Helen and Demetri, joined by grad students Zander and Hermione. The team is seen by Omaka, a native Hawaiian kahuna, and his mischievous aide, Puka. Sensing Helen's yearning for passion from Demetri, Puka doses the man with the nectar of a special flower from the forest -- but he has dosed Zander instead, triggering confusion and hilarity. When Puka tries to make amends by dosing Demetri too, and later Tanya as well, the results are surprising and wonderfully zany. Love wins the day.
4
A couple experiencing marital problems are heading towards a divorce. On their parent's request, they reluctantly meet a pastor for counselling and the unexpected happened
-3
Buckjumping is a cinematic journey through the soul of New Orleans. The film explores different communities as they express themselves through movement, painting a dynamic portrait of a city's spirituality, defiance and resourcefulness.
1
Slacker Schoolboy Tim is an expert in wasting time. So what happens when he discovers he has two hours left to live?
-1
Based in the early 90s in Washington DC, this film tells the heartfelt life story of a girl named "Sunny". Like many young girls growing up in an urban community, with the lack of family, Sunny is forced to fend for herself in the violent and rugged streets of DC. Several connected households reveal a highly anticipated ending.
0
A cop is asked to investigate a suspicious death. What complicates the matter is the appearance of the ‘ghost’ of the victim in the various places he visits!
-2
Drag Superstar Bob the Drag Queen arrives purse first and ready to take prisoners in her debut comedy special, Suspiciously Large Woman, fresh off the world premiere at the 2017 Outfest in Los Angeles. No one is safe when the winner of RuPaul's Drag Race season 8 returns to her hometown of Atlanta after touring the world to hilariously tackle topics such as sex, white people, New York, and the one and only Beyoncé.
-1
Un intachable padre de familia y genio de la tecnología, se verá envuelto en una trampa que lo obliga a convertirse en un singular criminal. Por culpa de su jefe deberá poner en uso todos sus conocimientos para desenmascarar una peligrosa red de criminales, mientras oculta su nueva profesión a su esposa, su precoz hijo y su entrometida empleada.
-1
Sorabh Pant understands nothing but wants to change everything. In his 6th standup special: he goes from trolls to drugs to Aadhar to NaMo to RG to China to US gun laws and changes nothing.
0
A Holocaust survivor who escapes the concentration camps finds refuge on a secluded Delaware Beach and raises her abandoned twin grandchildren.
1
A Metro Family decides to fight a Cyber Criminal threatening their stability and pride.
0
The curious six-year-old Buster, a popular Little Baby Bum character, is a friendly and eager-to-learn yellow bus who takes on new adventures through stories and songs in his own series, Go Buster.
1
They fell in love and swore to always be together, until a strange twist of fate reveals them to be more than just lovers. To what extent will they go to protect their love?
1
Upon returning to her childhood hometown Mia Moss (Nicola Fiore) begins experiencing disturbing nightmares and episodes of sleep paralysis; the phenomenon in which a person wakes up after entering deep sleep and finds that although they are fully awake their body is not.. Leaving them essentially paralyzed.. It's in these moments that a group of shadow beings begin pursuing her.
-3
The son of a toddy seller decides to become a politician to take on bar owner who tries to bring down his father.
0
The film adaptation of Erik Jensen's award-winning biography of Adam Cullen is the story of the biographer and his subject, as it descends into a dependent and abusive relationship.
-1
A grumpy microbiologist is forced into sensitivity training at work and forms an unlikely friendship with her overly vivacious coach.
0
Concert DVD of the Dixie Chicks sold out MMXVI tour.
0
Lost in London is the hilarious tale of Okon and Bona, young students who get selected for an exchange program in London. They attempt to earn some pounds before returning to Nigeria and experience culture shock and all sorts of trouble. But Okon and Bona are made of sterner stuff and every step of the way prove that the Nigerian spirit cannot be broken.  —Closer Pictures
-3
After his father passes, the heir to a retail empire returns to take over the family business but faces a controversy involving laundering and murder.
-2
The Sultana was a river boat that exploded in 1865 killing many passengers, mostly Union Soldiers.
-1
The secret of the worldview of dignity is revealed? This mystery of sleep will spit Marsh, Mahro, Goodarz, Bahram, Jahangir Major Pushis. Jahanbakhsh begins a long journey to prove his innocence and the return of tranquility. A journey that will end the life of many of them.
1
A coward has to prove that he can be brave to marry the girl he is in love with.
1
A cowardly youngster and his friend run for their lives with their lovers as they are being chased by a dreaded don.
0
Join the fun as Pinkalicious and her brother Peter look for ways to turn the everyday ho-hum into something extraordinary. The new series encourages creativity and celebrates the arts across all disciplines - dance, theater, music, and the visual arts.
1
Bambi Steele is about to make her first film. But with the only money she has Bambi buys her dream car a 1968 V8 Dodge Phoenix. She tells her cast the film is off. Unable to run her newly acquired muscle car, and at risk of losing it she enlists brother Bucks help. Bambi turns to her dark side when she finds a way to both run her car and bring it to life in the pages of a book. Using voodoo, Bambi needs blood, an OX heart and eight human souls to achieve the impossible. Enter Randy Bambi's leading man and he is besotted by the Femme Fatale. Together they kill her cast one by one and put the blood in the car. When Randy threatens to destroy the car and spill the beans to the cops. Buck steps in to save the day and soon Randy is fed to the beast. In the end Bambi will pay the ultimate price in an all out voodoo onslaught that will bring her Frankenstein monster to life.
-8
Intimate portrait of rock icon Steven Tyler performing his first ever solo material as he searches for personal and creative fulfillment.
3
An actor returns after a one-year hiatus to track down his impersonator.
0
Growing up in the Moroccan village of Tazzeka, Elias learned the secrets of traditional Moroccan cuisine from his grandmother who raised him. Years later, meeting a top Paris chef and a young woman named Salma inspires him to leave home. In Paris, Elias faces unstable work and financial hardship as an undocumented immigrant. But he also finds friendship with Souleymane, who helps revive his passion for cooking.
1
Courageous Love follows Alex Shelby as he encounters romance and intrigue while trying to save the family business that he recently inherited. While working undercover at the New York City branch office he falls in love with an employee named Michelle. Alex must make a difficult decision to save his company from impending collapse or to follow his heart.
0
A devastated youngster awaits a chance to take revenge on his father's murderer, who is seen as a leader in a village.
-3
WHITE BLESSING is motivational sports drama and based on a true story.
1
A young woman returns home to Wisconsin for her best friend's wedding and the one year anniversary of her father's death.
0
Matías, a 10-year-old boy, runs away from home in a rage and ends up getting on a bus to anywhere, until he is found by Rogelio, a 40-year-old man who works as a restaurant clown.
0
A lonely janitor hires a struggling actress to reenact ten favorite memories of his dead wife.
-2
Dan Cummins sets to impress with his new release, Don't Wake The Bear. Cummins offers the audience his own brand of odd, featuring his trademark unusual, yet pointed observations, mixed with a slight twist of delusion.
-3
Shyamrao Deshmukh is a selfish politician.Hi son Varad was married earlier but his first wife left him in few months while second wife committed suicide on the wedding day itself.Shyamrao decides him to marry again with Sanika whose lover Avinash ditched after she got pregnant.After her getting married to Varad ,Sanika sees Shyamrao's adopted son Sholk in the house whose look alike of Avinash and also shares his habits Sanika believes that Sholk is Avinash .But what was Shyamrao's intention of getting Varad married to already pregnant Sanika.
-1
A director encounters a group of homeless kids and becomes enamored with them as he films their daily antics. He is angry when he witnesses a gang threaten their community, but his video recordings become beneficial to the kids' struggle for survival.
-1
A police constable becomes the prime suspect in the murder of a woman. With the mysterious killer intent on making him the scapegoat, can he clear his name?
-4
Runanubandha, spiritually, refers to body’s memory – both genetic and memory of intimate physical connect. It is this memory which is said to bind a parent and a child, a husband and a wife or any other intimate relationships. The film explores Shatarupa’s search for her father in Kolkata. She finds the voice of her father in a young man. The paternal traits draw her towards him, but she finds herself trapped elsewhere between emotional complexities and simplicity. The film also draws a parallel with Hindu mythological tale of Lord Brahma, who was attracted to his own daughter Shatarupa
1
A writer gets into a rehab where he meets a lot of successful men who destroyed their lives with alcohol.
1
In the northeast of Italy, the workers of a lingerie factory are about to be fired. Not far away, a handful of nuns, skilled in the art of embroidery and devoted to the Blessed Armida, risk being removed from their beloved convent. To oppose a destiny already marked, workers and nuns join forces and start a "business" outside the rules in the hopes that a miracle will help them keep the convent and the factory.
2
Is Tony Law a way of doing comedy? A standuppy, sketchy, impro-ey, arty comedy show for people who are already funny.
-2
A young villager woos the daughter of a rich man hoping that her father would do good for his village. What he doesn’t know is that the father is actually waiting to take revenge on the villagers for a slight made years ago.
1
An idealist Sanskrit teacher deals with issues like commercialization of religion as things around him change and he struggles to keep up. But is he ready to pay the price?
0
After his girlfriend breaks up with him, a guy tells his friends that he’s going to commit suicide and goes missing. Thus begins a nightmare for the friends
-3
When an up-and-coming singer meets the cruel reality of the entertainment industry, she must sing her way through a surreal musical journey and avoid falling into the abyss of personal destruction.
-3
A teenage operative, who struggles to build a life for his family, is pitted against the essence of what challenges his dreams and the security of his younger brothers.
-1
Described by Jim Jefferies as "F@#!%ing Hilarious" and by Bill Burr as "One of my favorites to watch," this former marine biologist-turned-comedian is an expert at pointing out the shortcomings of our species. Forrest intimately delivers his sharp critique of mankind as he and his hometown of Miami brave the hurricane happening outside. Another one of Forrest's Poor Decisions.
2
The misfits who work at a 24-hour copy center in Austin have their lives disrupted with a new hire - just as the owner blows into town with bad news: he is selling out to corporate America.
-2
On an estate full of secrets, a rigid matriarch demands her newest daughter-in-law to provide a grandson to preserve her family's lineage of nobility.
-1
Veteran comedian, Paul Rodriguez hits the stage to give you his perspectives on life.
0
The unusual comedy of a very tall piano player, as he discusses the challenging and triumphant moments in his personal and professional life.
-1
Guigo is in love with Sabrina, with whom he exchanges messages through his cell phone. He is the son of separated parents. One day he and his friend Túlio travel to a fishery with their father, Roberto, and his friend, Paulo.
1
Cobby's Hobbies was a 1960's children's TV program featuring a chimpanzee getting hmself into all sorts of mischief. For filmmaker Donna McRae, the show was a crucial part of getting through a lonely childhood. McRae seeks people that made the show, Cobby's zoo friends, zoo keepers and the animal rights activists that help her piece together the story of an animal stolen from his natural habitat to work on TV before, being retired into the San Francisco Zoo at age 7. Most primates chimps in entertainment suffered horrifically, becoming research animals or caged in roadside zoos. This documentary examines how we perceive animals in entertainment and how we address their plight now.
-3
Mumbai Pune Mumbai 3 shows Gautam and Gauri's after marriage life. It is the sequel of the 2015 film Mumbai Pune Mumbai 2 (2015).
0
An Argentinean anthropologist makes an amusing analysis of the Colombian society taking the spectator by graceful situations in which are seen personages of our country being very "OriYinales". Starring Julian Arango, Paola Turbay, Diego Trujillo among others, this film is a single laugh.
2
A progressive-minded documentary filmmaker reunites three older women who have been separated since college and takes them on a trip.
0
Birla Bose, an encounter specialist's next assignment takes him to the holy city of Rameshwaram, where the greatest challenge of his career awaits for him.
2
It was a bright sunny morning and Vaibhav hated it. So he slept again. He loves potential energy and hates kinetic energy. Laying in bed he scribbled what he calls ‘bookmark moments’ of life. Today he calls them jokes. See him perform them on Amazon Prime Video, in his solo show named - Don’t.
-1
A stranger comes to a coastal village and gets into a tiff with the local gangster and his son.
-2
To protect his sister and her husband, a man who is revered as God by his villagers takes on the evil men who are hell bent of destroying their lives.
-2
Dan and Heather Winslow are faced with the biggest challenge in their marriage when life throws them a second curve ball. After Dan ask Heather for a divorce and she receives life changing news on the same day she knows she's in for the fight of her life to save her family. Dan has 30 days to decide what is most important in his life. He doesn't know it but his journey to a new life has just begun.
1
Abish Mathew is the world's greatest stand-up comedian (*citation needed) and this is the world's greatest stand-up special (*this definitely needs a citation). Every great punchline has a great set up! And in this one-hour special, we find out how Abish was set up to be a punchline his whole life.
4
Two criminals try to kidnap a child from a rich family and ask for a hefty ransom in order to live a happy life. However, things do not go as planned for the kidnappers.
0
Two decades after the album’s critically acclaimed release, hip-hop artist Nas teamed up with the National Symphony Orchestra at the Kennedy Center in Washington, D.C., to stage a symphonic rendition of “Illmatic,” one of the most revered albums in hip-hop history. Nas: Live From the Kennedy Center captures the energy and nostalgia of this collaborative performance.
1
A struggling writer emerges from rehab and reunites with his estranged brother, but soon descends into a tragic love triangle and is forced to confront a devastating reality.
-4
'I Need You to Kill,' follows three American comics - Chad Daniels, Pete Lee, and Tom Segura on a six show tour through three of the world's newest stand-up comedy scenes: Hong Kong, Singapore, and Macau. The film explores the anxieties and surprises of taking your act halfway around the world as well as giving a ground-floor glimpse into Asia's newest growth industry - stand-up comedy.
-1
Brothers Alonzo and Casper run their city from different points of the spectrum with Alonzo serving as the Chief of Police and Casper the biggest street king in the city. When their youngest brother Nick returns home he's immediately drawn into the middle of the brother's feud and an even bigger threat as the seductive Eve threatens Casper's empire with her growing human trafficking business. With the brothers now caught between the cartel and the law they must decide if blood is thicker than water in this story of loyalty, betrayal, and the ultimate sacrifice.
-2
A man plagued by nightmares discovers his past life as a great warrior is driving his present and future.
0
A young woman, engrossed in her career, reluctantly yields to her father's plan to set her up on 10 dates to find a suitable husband.
0
Comedy is a family affair for brothers and comedy duo Randy and Jason Sklar (Entourage, It’s Always Sunny in Philadelphia, Maron, Curb Your Enthusiasm). Their brotherly chemistry, unique team delivery and complementary styles contribute to the incomparable energy of their shows. Recorded at the Lincoln Hall theater in Chicago, this all-new stand-up show from the Sklar Brothers tackle topics such as politics, parenting, canine racism and who might haunt us in the afterlife.
0
Guru and his friends' ambition is to become firemen, but a run in with a gangster threatens to bring their dream crashing down.
-2
Roman is a top level cyclist recovering from an injury through hard work and strict regimen. To improve his performance, he even sleeps in an oxygen tent installed in his bedroom. That is a bitter pill to swallow for his wife, Šarlota, whose long-time wish is to conceive a child. And so they both brim with determination, get lost in their obsessions, and improve their bodies to a point where they might even frighten themselves.
-2
Small-time criminals plan a big time heist. Will they be successful in their attempt?
0
This film traces the rise of the Great White Shark 11 million years ago in the wake of dramatic changes in Earth's oceans and climate. At the end of an age dominated by giant ocean predators, white sharks evolved in tandem with seals and other pinnipeds in response to cooling conditions. This film is the result of a decade of filming white sharks by renowned "Shark Week" cameraman Andy Casagrande.
-1
Shirin is a woman facing problems in her marriage and with her child. She's trying desperately for a way to connect with her son and her husband.
-2
Comedian Nore Davis brings down the house in his fresh new stand-up special. He shares his take on social media dependence, being in love, and the hard truths of protesting, while dealing with the conflicts of living with his girlfriend and updating his sneaker collection. Featuring the company of fellow New York comedians, Davis’s crew rehashes past quarrels and reminisces about old New York while providing non-stop laughs.
-2
A captivating first hand account of the life of one of the most iconic figures of the 20th century, Diana Princess of Wales, by the man who lived through it all. From innocent dreamer to divorced change-bringer the turbulent life of Diana was rocked the world. With exclusive insight and anecdotes prepare to uncover the heartbreaking true story of the most photographed woman in the world and the mother of the future King.
-1
A middle-aged ex-con hired to manage his nephew's fledgling music career is caught between working for and taking down the neighborhood's crime boss.
-1
The vessel is Infinity, a 120-foot hand-built sailboat, crewed by a band of miscreants. The journey, an 8,000 mile Pacific crossing from New Zealand to Patagonia, with a stop in Antarctica. Unlike all the other boats heading to the Southern Ocean, Infinity is no ice-reinforced super-yacht crewed by professional sailors; rather, Infinity lives in the moment and sails on a whim. What can be found in abundance on board is blood, sweat, enthusiasm, risk tolerance, disdain for authority, and an ample supply of alcohol – all in all a mad voyage of reckless adventure just for the sheer joy of it. Along the way the crew will battle a hurricane of ice in the Ross Sea, assist the radical environmental group Sea Shepherd in their fight with illegal whalers, and tear every sail they have. At the heart of their journey is a quest for awe and a sense of wonder with the raw power of the natural world.
-1
Azeem Banatwalla is back with jokes and observations about the perils of married life, road rage, millennials, and confused African kids.
-4
With a sharp wit and even sharper tongue, Griffin deconstructs everything from modern romance and profile pictures to calorie counting and Fatburger in this raucous hour of standup.
3
Devina a newspaper journalist from Lucknow falls in love with Kashi and things go awry when Kashi’s sister Ganga goes missing.
0
Delhi boy Nishant Tanwar’s latest stand-up special “Dilli Se Hoon B*@!%D” is a code for all Delhiites to abide by. Known as bhai by his fans, Nishant shares hilarious life experiences, the background he comes from, his dad, his friends, his girlfriend and his girlfriend’s boyfriend.
1
A bizarre fight in a dive bar-laundromat among four New Orleans low-lifes is revisited from each person's perspective, revealing an intricate web of harrowing, horrific, & hilarious service industry intrigue.
1
Cheated by a big shot, four individuals team up to give the guy a taste of his own medicine.
-1
Two young musicians from Bangalore are convinced that they can make it big in the music scene. Armed with blind confidence and mediocre music, they're convinced they will make it. But will they?
-1
In 1940s Prague, a former Nazi prisoner returns to run his posh hair salon and struggles with family, the rise of communism and his past.
-1
A young man takes on the role of a vigilante and goes out to hunt his father's murderer. This ongoing search eventually leads him to unexpected surprises.
-1
The Cat in the Hat joins Nick and Sally who are exploring the backyard when something extraordinary finds them-a flying robotic dog. The robot lands and does some exploring of his own, gulping up rock samples and photographing the Cat, Nick, Sally, and Fish before blasting off back into space. What was that thing? Where did it come from? Where is it going? The Cat in the Hat fires up his Space-ama-racer and whisks Nick, Sally and Fish off on a cosmic adventure in search of the robot. Together, they survive a dust storm on the surface of Mars, rocket through an asteroid belt, and then narrowly escape being sucked into Jupiter by its huge gravitational pull. Ultimately, they hitch a ride on a comet that leads them all safely back to the Space Station, along with plenty of space samples, and stories and even a small souvenir that follows The Cat in the Hat and our crew back to Earth.
0
Na-rin could not easily accept the breakup with her long-time lover Eun-chan after being informed of the sudden breakup, so she wants to have a one-month grace period for Eun-chan's feelings to return. "Love always ends out of the blue, and parting is always difficult." But as Na-rin jumps into the album production project for "History of Love," she's in a position to think about "breakup" more than anyone else. Can Na-rin find the purpose of the breakup that she has postponed?
-2
Kumar finds a black human skull with a puzzle etched on it, from his grandfather's room. Unable to make any sense out of it, he takes the skull to his trusted friend, Bimal, who is a professor of Anthropometry. Together, they decipher the puzzle, only to discover that it hints at an ancient Tibetan treasure hidden somewhere in the dense jungles of Neora Valley. Meanwhile, Bimal's brother, Hiranmay is Kidnapped by a shady secret society for some unknown reason, and taken to Lava. In order to satisfy their apetite for adventure, and to bring Hiranmay back safely, Bimal and Kumar sets out on an adventure of a lifetime. However, their quest gets much more complicated than they envisioned. Bimal and Kumar must rely on their wits and their daring heroics to outsmart the dangerous criminal Karali, survive the threatening terrain, and safeguard the legendary treasure from falling into wrong hands.
-1
A portrait of Japanese master chef Hiroji Obayashi and his wife Yasuyo over a sixteen-year year span as they managed the day to day operation of their LA restaurant Hirozen Gourmet.
1
Aamhi Doghi is about the relationships of today's women.
0
Evidence supports that the CIA manipulated musicians and activists to promote drugs for social control, particularly regarding the Civil Rights and anti-war movements. Some musicians that resisted these manipulations were killed.
0
Yemaali is the story of Maali and his brother-from-another-mother, Aravind, and how they plan on killing Maali’s ex-girlfriend. They even call the ‘project’ Yemaali, a wordplay on both their names. But why do they want to kill this girl? Because she broke up with him, of course.
-3
Ganapathi, a cartoonist, is diagnosed with a neurological disorder called Alien Hand Syndrome, which poses a hindrance in his daily life. Despite the disorder, Ganapathi attempts to achieve his goal and also goes on to woo the girl he loves.
-2
Sorabh's life changes when his wife decides to get a baby instead of a dog. In this stand-up special he talks about the delightful madness of becoming a father.
0
An ambitious son sets out to find his missing father, who suffers from memory loss, with the help of two people
-1
A heartwarming collage of inter-connected love stories, Ahare Mon is a romantic drama that revolves around people who are otherwise forbidden to fall in love.
2
Fashion historian Amber Butchart fuses biography, art and the history of fashion as she explores the lives of historical figures by examining the clothes that they wore.
0
While Noah, Hope, and Eden are moving out of their old house, they discover a hidden virtual reality gaming console in the attic that acts as a portal between the game HeroForce and Real Life. The kids must find and protect the power rings from the hands of the evil bosses that have crossed into Real Life in search of the rings.
0
Genbetter has been growing gourds and the massive orange veggies are on the attack. Jack and his friends have to stop an invasion of pumpkin headed monsters.
-2
After having rescued her family's farm in the first film, Maikol Yordan faces a difficult situation. His beloved grandmother Dona Mila suffers a strange illness and, in his quest to find the cure, embarks on a new journey through the Netherlands, Greece and Egypt, where he will live amusing adventures. François, Cordero, Greivin, his beloved family and friends will accompany him in this new story full of healthy and familiar humor.
2
At Disperata, a small town in Southern Italy, the melancholy mayor Filippo Pisanelli feels terribly unfit for his role. Only a love of poetry and his passion for the literature lessons he gives to prison inmates admit a chink of light into his general state of depression. In jail he meets Pati, a small-time criminal from his own town. Pati and his brother Angiolino were dreaming of becoming the mafia bosses of Capo di Leuca, but the encounter with art changes everything and an unusual friendship between the three men will lead them to make courageous choices.
-3
Discover the real Harriet Tubman in this compelling documentary narrated by Alfrelynn Roberts and featuring expert interviews with leading scholars, Dr. Eric Lewis Williams of the Smithsonian Institute and Carl Westmoreland of the National Underground Railroad Freedom Center. It also features remarkable early 20th century audio recordings of African-American spirituals sung by former slaves.
3
Qingling is a kind, cheerful and helpful girl with a perfect sense of smell. After experiencing lots of frustration, she finally, with her own effort and everyone's help, produced her own perfume brand, realized her dream and obtained love.
2
A marriage of slow cinema and chatty drama full of vague maladies and self-sabotage. We come to find that in some cases, staying together may be the saddest ending of all.
-3
Paulo (Ricardo Duque), a film editor, arrives at home and find his wife murdered. While the police investigates the crime, Paulo begin his own quest to find the criminal.
-2
It’s an exciting and chaotic journey of three pensioners. Timi, Irikefe and Tobore, receives a huge amount of money as their pension. Their new fortune leads them into a profligate Journey.Three Wise Men
3
To flee a public scandal, a humiliated musician hides in a seaside town where he meets a fiery bartender who sparks more than creative inspiration.
1
A young Irish swimmer faces the race of her life when she discovers she's pregnant on the brink of the biggest competition of her career. "Dive" is an intimate look at one young woman's journey to make a life-changing decision. Set against the backdrop of modern-day Ireland, "Dive" offers an unflinching but balanced look at one of the most fiercely debated issues in public discourse today. Through the eyes of characters caught in the crossfire of Ireland's current set of laws, the film explored the weight of the decisions we make and the effects involved when those decisions are attempted to be made for us through law.
1
A wife's suspicion about her husbands infedility turns into an obsession for the woman he is suspected of cheating with.
-1
In Chicago, the fight or flight mentality is focused on survival, a crew of girlfriends lost in trauma and grief from their past creates a robbery ring. However, things go bad when some high-profile politicians are brutally murdered, and the ladies find themselves the primary suspects.
-5
A grief-stricken, reclusive, woman and a young newcomer, become intertwined by the pain of the woman’s past and the trauma that lingers.
-2
Stand up comic Varun Thakur and his alter ego Vicky Malhotra go up against each other in this one of a kind stand up special.
0
Four Tales of The Macabre!  Enter the House of The Screaming Death in this feature length anthology gothic horror film... tales of terror to chill you to the bone...  One scary night....One mysterious figure, 'The Architect', who has some chilling stories to tell you.  Story 1 - What is the mystery of The Lady in Grey? (written by Troy Dennison)  Story 2 - A tale of witchcraft and the dark chilling beyond (written by Mark Lees)  Story 3 - 1888: The year of the Vampyre (written by David Hastings)  Story 4 - Evil is found in the most innocent of places ... a child's toy (written by Alex Bourne)
-9
After a canceled tour, flailing musician Jesse Lirette seeks out an old flame in a small town in northern New Mexico. But when an arrogant attempt at inserting himself into her family fails, he must confront the mistakes of his past on his own.
-4
After a woman is beaten to death by her husband, her friends gather to take a stand against horrible injustice.
-3
A world-class psychiatrist takes on a new patient who is experiencing strange dreams, and is reluctantly drawn into the dark world of aliens and UFOs.
-2
A young resort owner, Tarun, is going through a rough time and tries to deal with disappointments, failures, and struggles of his life. In the process of doing so, he strikes up a great bond with a resort guest, Tanya. Will this bond help them to find a new meaning of love and life?
-3
In the mid-20th century, a lesbian estranged from her family struggles to get them back by falsely adopting the faith of a Christian household where she takes shelter, but finds herself infatuated with their daughter.
-2
A lonely boy, who lives in Amsterdam with his refugee mother from Kosovo, keeps getting into trouble while yearning for her acceptance. But the traumas caused by the war, which his mother hides away from him, turn his world upside down.
-3
7 comedians rage on big issues: demonetisation, uniform civil code, godmen, global warming and cynicism in India in front of a 1000+ sold out audience.
-3
Ishqeria is a story of a small town girl who falls madly in love with the most sought after guy in college. It is a journey of first love, growing up and second chances.
0
Elena and Ernesto are a couple who are bitterly torn apart by the death of their only child. Three years later they have both somehow managed to start a new life. Until destiny forces them to reconnect and understand, they never really stopped loving one another other.
0
HahaKaar is a culmination of 50 minutes of random jokes and stories from Gaurav Kapoor. It's basically stories from his life or his friends' life or friends of friends' life. However, he will tell it like all these things happened with him and he is the victim of a weird school, weird job, weird trips and weird friends. Also, there are a lot of lies in the show which you will never know.
-5
The Amish and the Reformation traces the origins of the Old Order Amish of America and gives a uniquely personal view of Amish beliefs by former members of the group. Beginning with Luther's 95 theses, the program describes the advent of the Reformation, the establishment of a reformed state sponsored church in Switzerland and the formation of the breakaway Anabaptist Movement. From its Anabaptist origins the Amish developed as a unique sub-group under the leadership of Jakob Ammann. Host, Joseph Graber, a former member of the Amish Church traces his family origins back to the Reformation era and gives unique insights into how Amish beliefs have changed over the centuries.
1
Clarisse meets Marc, a young surgeon. She spends the night with him in his mansion. In the morning, she realizes that she has been fooled. She's now held against her will. Marc forces her to play the part of his deceased wife. After an operation, he gives her a new face. Clarisse becomes Hélène. But can we erase an identity so easily?
-2
A care-free youngster sets out to become a cop and comes back to his village to control a riot. He realises that he has to take on people, who are close to him, to manage the situation.
0
A story about Nando who's a dutiful son and breadwinner to his family and Sabrina a rich kid and one of the top models in the country. While both prepare for their biggest breaks, these two strangers wake up one day in an extraordinary circumstance switching bodies with each other.
1
Watch the mind-blasting comedy duo Sumukhi Suresh and Naveen Richard slip in and out of 14 outrageous characters, in 7 absurd sketches, all in 1 dangerously funny hour of live sketch comedy. One second Naveen is playing tennis and the in next, Sumukhi is playing a mosquito. Heart patients and close-minded individuals are not allowed on this ride.
-2
An extensive look at the naturalist John James Audubon.
0
This film traces and reveals The Full, Previously Un-Told Story Of Stevie Ray Vaughan's Glory Years, the period between the release of his debut album and his tragic death in a helicopter crash in 1989.
-2
Based on a True Story in the United States Health Care System: Suddenly in the grip of a physical attack, John doubles over in pain and forcefully vomits in a hospital Emergency Room. Not his first trip to the ER, John's treated like the junky he might be as he seeks specific narcotics that have helped him in his past. Through the malice of surgeons and ER doctors, John is saved by several sexy nurses as the seasons pass with the changing of his girlfriends.
-3
Prepare yourself for an open and honest conversation between fathers, their sons, and the boy next door.
1
Muharram falls in love with a Japanese diplomat named Sakura, they get married and have twins.  But she returns to Japan with the kids without his knowledge because of the difficult living conditions. Seven years later, they reach an agreement that the children come for six months to stay with him, but under conditions.
-1
Dasari Sivaji is a stage artiste on the lookout for his long-lost daughter Gayatri . What happened that broke his family apart? Will he ever reunite with his daughter, is what 'Gayatri' is all about.
-1
A couple moves into a beautiful duplex and starts experiencing paranormal activities.
1
Maaya is a business woman who abruptly begins getting fanatical dreams.. She is able see her future in her dreams. She then visits a psychologist for consultation and tells her that everything she could find in her dreams are materializing in a day or two. What happens next will blow your mind ?.
-3
A year after the events of the first film, SLEEP EATER (2016) we follow Rachel Stephens who is trying to uncover the truth behind the unspeakable "Cannibal" Kelly Anderson murders that happened in her town of Bangor, Maine. Meanwhile, Kelly Anderson who is now on the run from the law, and with a bounty on his head finds himself in the middle of a war between a lonely man, Reggie and a family of gun-toting lunatics. When their blood-soaked paths cross, we uncover a world filled with more terror, more gore, and a diabolical doctor who has a "cure" and plenty of patients to experiment on.
-5
We follow a pack of wolves on Ellesmere Island, in Canada’s far north, as they struggle to raise their pups in the brief arctic summer. Hidden in her den, the alpha female of the pack gives birth to a new generation. Time is of the essence: her pups need to grow quickly and they have much to learn if they are to survive the merciless winter ahead.
-2
Filmed at the San Jose Arena on The Rolling Stones' No Security tour, this concert captures the band in top form playing a set that spans from mid-sixties hit singles up to the then current Bridges To Babylon album.
1
75 Years after the Mad Butcher of Kingsbury Run's killing spree, bodies have begun to turn up again. A private investigator, Camila Ramsay, enlists Leo Zhukov, a true crime author and former cop, to solve the crimes before more people are killed and left scattered around Northeast Ohio.
-6
Karthik Kumar's Blood Chutney is a Standup Comedy special about hypocrisy, shaming, guilt, quitting and such inevitable, tragic yet fun(ny) life events.
-3
24-year-old Ivy sterilizes needles at a tattoo parlor in a small East Texas town. She has an intellectual disability, but she hides her label with grace, wearing bracelets over her medical information bracelet and keeping her State-issued ID safely in hiding in her purse. What she doesn't hide well is the crush she has on Oscar, a 16-year-old apprentice tattoo artist who (illegally) works at the same parlor. When Ivy's desire to impress Oscar leads to events that convince her sister (and legal guardian) to place her in a public institution for people with developmental and intellectual disabilities, Ivy must face a crisis of identity and choose how far she will go in order to reunite with her dream man.
3
Night Kaleidoscope transforms Edinburgh's cobbled backstreets into a dark dreamscape brimming with supernatural menace. It's the perfect backdrop for Fion, a cynical psychic investigator who peddles his gift for anyone willing to pay. With abilities depleting, he must take powerful drugs to induce his visions and track down a pair of vampires terrorising the cities night population.
0
Tim Ballard and his special forces team go undercover in Haiti to bring a ring of sex traffickers who bribed their way out of jail, to justice.
0
Juan lives in Antofagasta, a small city between desert and sea from the north of Chile, but he dreams with big cities. When an opportunity of studying in New York appears.He doesn't hesitate and travels there. However, when his mother Magdalena starts having serious health problems back in Antofagasta, Juan's life in New York will stop being the perfect one.
-1
A reserved woman executive begins having vivid dreams about a young girl she hardly knows, being brutally murdered. As the dreams intensify, she calls the police and two skeptical detectives are called in. Her husband is the last person to believe her, but the first person she begins to suspect. Then, one of the detectives begins to have the same dreams..
-2
A mysterious American, Chandler, appears in an Asian city, searching for a missing person. A police commander assigns a local contact, Dickson Lee, to shadow this stranger. The mismatched couple must navigate the dangerous world of an international organ smuggling syndicate. Chandler and Lee have to rely on all their courage and strength to solve a deadly mystery, and finally deliver the criminals to justice.
-5
Ryan Defrates is arrogant and reckless and always insists on working alone. That is, until the day he's paired with a very unlikely partner... his mom! Deb Defrates is not a spy. She knows more about cutting coupons then cutting down on crime, but her wisdom and kindness somehow always seem to save the day.
-2
Izu Ojukwu's Power of 1 is now available on Amazon Prime Video for viewers in the US and UK. The political thriller, which is partly inspired by 2 Baba's shelved 2017 protests stars Alexx Ekubo in the lead role of Justin Aba, a socially conscious afro-pop artiste with a large following. When Justin Aba decides to use his influence to stage a protest against the policies of the incumbent government, he is drawn into a game of politics he didn't bargain for. This film shows the twists, turns, and intrigue of a proposed protest march called by an influential pop artiste, that shook the socio-political landscape of Nigeria to its very foundation. Nerves are stretched to breaking point as the decision to take ownership and execute the protest throws up intriguing reactions from security operatives, political players, hustlers and opportunists Power of 1 stars Ramsey Nouah, Anne Idibia, Jide Kosoko and Michelle Dede. The film was released in cinemas nationwide last December and has played in theatres in the UK and US.
-1
two kids want there parents to stay together to be miserable and make there own life miserable in the process, by having a mom and a dad who do not actually like each other stay married and probably end up physically abusing each other.
-1
Discover the story behind the infamous Rivonia Trial, where Mandela and his co-defendants fought for the freedom of South Africa, in this new film.  Directed by former high court judge Sir Nick Stadlen, the film follows the 10 leading opponents of apartheid and their lawyers and supporters through the trial. It is an inspiring story of immense courage and self-sacrifice on the part of a small group of multiracial idealists.  Though the defendants were saved from the death penalty, eight of the ten were sentenced to life imprisonment, Mandela among them. When Mandela was released 27 years later, he had a vision of multiracial democracy for South Africa.
1
Act 1: "Paul" travels to the future and people question who he is. Act 2: Paul learns English and wants to observe contemporary Christianity. Act 3: Paul's credibility is attacked.
0
A short directed by Marcel Wohlfahrt.
0
Ian Murphy can't find a job. Layla is facing harassment at her job. At home, the two of them can't seem to connect anymore. After one faithful night, she walks out on him leaving him distraught, angry, and self loathing. Through some cosmic shift, he meets Evelyn, who is impossibly positive and helps make life seem bearable for him again.
-3
A homeless teenage mother, who gets herself trapped in prostitution and drug trafficking for seven years in order to secure a good life for her son, decides to quit but her boss, a ruthless human and drug trafficker is not ready to let go of his most trusted cash cow.
2
When three sisters go on a big family vacation with their husbands, unexpected events shake the foundations of their marriages.
-2
Daniel is hopeful to meet a new friend as the Neighborhood welcomes the new family moving in next door to the Tiger family.
2
Tonya Mimms is a successful artist who feels firmly footed in her rise to fame until her ascent is challenged in the most unexpected ways. While meandering through the throes of a love triangle, with a charismatic man and a stunningly beautiful woman. Tonya takes on an assignment that pushes her completely out of her element. Now, in the midst of total chaos, Tonya is forced to come to terms with herself, as an artist and a woman.
4
A day in the life of John Halmo, a veteran police officer who is trying to juggle his turbulent home life, the daily stresses of his job, and the apparent inevitable biker war that's about to engulf his hometown.
-4
Follow the evolution of Minor League Baseball over the last half-century as the Omaha Storm Chasers-the Triple A affiliate of the Kansas City Royals-kick off their historic 50th Season and pull back the curtain on game day life.
0
Scientists who are experts in natural disasters identify the most extreme catastrophes that have hit the Earth and piece together exactly what happened from the clues left behind in their wake.
-2
An aging writer has been in depression for many years, after a breaking apart with his wife. The only thing that connects him to the real world is a teenage daughter, whom he should take care of. But one day in his life appears Anna, a mysterious and beautiful woman whom he finds in a forest.
-2
Twenty-year old Naomi lives a simple life with her younger siblings in Peru. Only her big sister seems to live a life of fortune, being married in Germany. But now she is dead, murdered by her German husband. Stunned by the news, Naomi can’t imagine accompanying her mother to Germany, the land of the crime. But then she changes her mind, becomes a joint plaintiff, and takes part in the trial in Berlin.
0
It is the year 2025, and Alejandro tells his grandson Josue a story from a book that he is reading about a singer and a dancer who fell in love in 1985, but love represents much more than only sharing life together.
1
Ebi, an architect from Dubai, comes to India in search of Jennifer, a blogger, and a storyteller. Whilst in India, Ebi joins Jennifer in her pursuit to help Arun, a violinist, who is going through a crisis. The two embark on a journey along with the stories from Jennifer's blog as they try to bring Arun back to life.
-1
Rose is a young girl who has grown up in foster care. Desperate to escape an abusive situation, she is saved by an older man named Shaka, but at what price?
-2
A lonely, gritty west Texas rancher has disengaged from life after loss but an old compadre masterminds a crazy bet on a chicken named Blanche to help Tommy realize there are second chances at life and love. This tale was inspired by a true bet and features a cast of real-life West Texans making their acting debuts in Blanche.
-3
The Super Simple show is a compilation of Super Simple's most popular songs and series that our fans love. This compilation is all about Christmas. Includes children's song favorites "Santa Where Are You?", "12 Days of Christmas", "Hello, Reindeer" and "Goodbye, Snowman" and featuring Carl's Car Wash, The Bumble Nums, Mr. Monkey, Monkey Mechanic, and More.
5
Chris, a hardened auto-mechanic, aims to inspire neo-alt-right rhetoric in his community.
-1
Siddharth, a young boy is brought up by his single mother with dreams of settling abroad. Being a part of a rock band "Antriksha"; Siddharth participates in a contest which changes his life completely. Not only that, he meets Neha - a folk singer and a social activist and gets smitten by her ideologies. In the midst of all this, he comes face to face with his father's death. Will Siddharth be able to come across the truth? Will he realize his passion, discover himself or will his mother convince him to let go off his past?
1
LAGOS LANDING is a Romantic thriller, a love story inspired by true events. Jacqueline an uptight middle class French lady (Kayla Eva), joins a dating site in search of the perfect novel-like romance and adventure she's always imagined, she connects with BAYO (Ramsey Nouah), a self-made young, rich lawyer in far away West Africa who has a seemingly boring life. In a few weeks she finds herself in Lagos, Nigeria to meet her online lover face to face. The story takes a twist when Jacquelin Lands in Lagos; while been picked up by Emeka (Emmanuel Ikibese) who is Bayo's driver, she becomes a victim of mistaken identity. Lagos Landing dramatically tells a story of two people from opposite backgrounds whose lives become entangled by a little twist of Fate, a story of survival, Adventure, Deceit, Betrayal and finding true love in the strangest places.
0
Isa, who is aggravated by her life, decides to visit a non traditional doctor. Through the use of hypnotherapy, Isa discovers that her pain is caused by repressed feelings and that the way for her to heal is to say everything she thinks.
0
A tenacious nurse who helps people who have reached the end of their lives come to terms with God and heaven, is assigned an unexpected patient. From the creators of "A Box of Faith" and "Before All Others" comes this faith-family-drama slice of life.
3
MAYBELINE a divorced woman, struggling to find herself, discovers her only sister SHARON (mother of 3 young boys), is terminally ill. MAYBELINE's life is turn upside down, as she takes on a role she never anticipated, fighting to save herself and the 3 young boys.
-1
The story of Aline, a 17 year old girl, rebelling against her mother, who is also her teacher at school. The mother still treats her daughter like a child, which provokes Aline to revolt.
0
When a clique of teen girls, led by "scene queen" Ashley, begins bullying local girls to get attention on the internet, it's up to Jess, the girl who's videotaping their fights, to stand up to Ashley's bullying - or become a victim herself.
-2
Naveen Richard combines his slice of life comedy along with his iconic facial expressions and striking character work that his audiences have grown to love.
3
An agent of the Uzbek special services, Timur Saliev, is conducting an operation to seize the Scorpion terrorist group when he learns that his brother, whom he considered dead, is alive and belongs to this very organization.
-1
The native Canadian comedian, Ian Bagg, brings his sharp, biting wit to The Improv in Irvine, CA to explore such topics as immigration, transgender bathrooms and women's obsession with yoga pants.
1
At a getaway event, a group of malicious women must each confront their own secrets.
-2
An adventurous story set in a lost valley in the depths of the Cambodian jungle, where a missing scientist discovered an ancient ruin full of wonders and mysteries.
-1
A story about a retired judge facing his fate.
0
PolyLove is an investigative documentary that explores non-monogamy and the journey to redefine a relationship. Statistically more young people are now saying 'I don't' or 'I delay' than 'I do'. Brace yourself, because we are going to a place where bravery and honesty are essential. A place where loving someone enough to set them free isn't just a trite metaphor - it's essential to your personal and relationship growth.
4
Originally titled Hoon Capital and made by me Aaron Stevenson. It appears it was stolen and re released under this title.
-1
A young man becomes a target when he accidentally discovers who is behind a string of murders.
-1
Winner of the Best Show category for the 2013 Chortle Awards, Tony Law's Maximum Nonsense is as good as surreal comedy gets. Law alternates between peculiar imagery and bizarre flights of fancy and the self referential as he deconstructs his own routine whilst performing it. He frequently breaks from the chaotic narrative of Maximum Nonsense to indulge in meta-comedy, pointing out uncomfortable non-sequiturs and his lack of one liners, before bringing the whole show to a close with an extended joke about his apparent inability to finish a joke.
-6
Stand Up the Musical is a one hour stand up special by Aadar Malik. The special is about music including stories of his life which are humorous and also funny.
0
In this surprising documentary, archaeologist and historian Neil Oliver examines racism in the Deep South and the Scots who first occupied it who influenced where we are today. Oliver travels to the south and speaks with many people and researchers to discuss the Klan's history in Southern United States.
-1
This Bengali Feature Film centers around a socially conscious author reaching the end of his life and creative career. As his last wish, he decides to know the 'truth' of the inmates of the. The film unfolds the struggle for the existence of the deprived by the privileged class. The author gets involved in that class-struggle and continues to champion the causes of the destitute.
0
An out of work actor explores the enormous Nigerian film industry to bring a change of fortune to his career, but will childhood tragedy hold him back?
1
It's Ciana's birthday and she is lucky enough to have six friends to spend it with. After a celebration the seven of them cozy up on the beach to socialize and tell scary stories, Little do they know they're about to endure a real life scary story of their own. When one of the girls is attacked her friends turn around attack her attackers. Murder, resentment, betrayal and karma consume them.
-2
A romcom from veteran Nigerian Director, Lancelot Oduah Imasuen, tells the story of love in the context of old generation Africans in diaspora and their new generation kids, who were born in the United States. Its explores the conflict between parents, nurtured in the African culture and their American born children.
0
A young girl goes in search of her father and meets a man on a river bank. That meets leaves her with lot of questions and also few solutions to live in a pluralistic society.
0
A commoner is thrown into a jail cell on suspicion of murder of a local politician. Can he survive the State entrapment, or did he actually do it?
-3
Akhil shoots his girlfriend Nayana on camera while she is taking bath. Nayana finds about it and gets furious. Though Akhil deletes the video immediately, he later recovers it with the help of a recovery software as he wants to enjoy Nayana taking bath. The mobile gets lost and it travels via many pairs of hands. Finally Saran, a software professional, gets it. Akhil traces it and asks Saran to give back his mobile; Saran, who know about the bathing video contained in the mobile phone, puts a few demands to give it back. He wants Akhil to do certain things. What are the things demanded by Saran? Could Akhil do them and get his mobile back? Does Nayana know all these things? What happened to the love? Watch the movie to know the answers.
1
The FIVE Provocations is a performance driven, realist drama about four intertwined stories of love, loss and unexpected confrontations by women too provocative to ignore.
-5
Comedian Liz Stewart tackles ghosts, drugs, and motherhood in her debut comedy special, filmed while she was 8 1/2 months pregnant.
0
In this hilarious and deeply personal special, Kautuk Srivastava talks about his terrifying first date, almost starting a war with Pakistan and how Jet Airways taught him the meaning of true love. This is Anatomy of Awkward.
1
A Cult Classic chronicles the life of a teenager struggling with his identity after a tragic loss. He meets Balan who challenges his class to develop a connection with their "inner selves," and offers a shocking reward of $50,000.
-2
Joel, an actor who plays a superhero named, Thrill  finds his life in turmoil when a disagreement forces him to leave his home. While Joel reunites with old friends, his fictional character Thrill is forced to make tough decisions as his partner, Scholar sets out to locate superhuman twins: Shift and Militant.  The story will take the viewer on a journey as the lives of fictional Thrill and reality based Joel begin to become interwoven as they each encounter completely different individuals with interconnecting journeys of relationships, love, drama and race with both fiction and reality colliding in the end
0
An Internet celebrity and "selfie queen" reunites with her estranged identical twin after she wakes up to discover she's invisible.
-2
It is part of the investigation of the director Sol Prado, activist in psychosocial diversity and former irregular migrant, focused on the case of the island of Leros, Greece. Occupied by Italians between the First and Second World War, the island became a prison for political prisoners during the Civil War and the subsequent Greek military dictatorship. It was later re-functionalized as a psychiatric hospital between 1970 and 2000. Today the island is a refugee camp.
-3
Money and family ties come into conflict on New Year’s Eve when CuiYing’s younger sister, Huang CuiNa, drops by, demanding repayment of a debt. The ensuing commotion prompts CuiYing’s elder son, Jian FanCheng, to call the police, and the entire family ends up spending New Year’s Eve at the police station.
-2
The unlikely story of the 2000-year-old Indian Jewish community and its formative place in shaping the world's largest film industry.
-1
To discover more of the story of its Independence, Olie Hunter Smart takes on an immense challenge to walk the length of India, a 4,500km journey over seven months seeking out untold stories of Independence and Partition. Olie's route takes him over grueling snowy mountain passes high up in the Himalayas, battling intense heat in the northern plains, and being drenched to the bone by monsoon rains as he walks through the rural heartland of the country. Following in Gandhi's footsteps, Olie immerses himself in the culture, being invited in by so many of the wonderful people he encounters, recording shocking and heartfelt first-hand accounts of India's struggle for freedom gained 70 years earlier.
3
What China has baptized 'The New Silk Road' allows a pair of trainers to be transported by train from China to France in under two weeks. On the Horn of Africa, the Chinese state has recently set up a military port and constructed an ultra modern railway serving Ethiopia. Since 2013 the 'Middle Kingdom' has invested billions into projects like these to pave the way for Chinese expansionism.
2
Swargakkunnile Kuriakose is an Indian Malayalam-language psycho suspense thriller film directed by Emmanuvel N K and starring Rajeesh Puttad in the title role
0
What are you laughing at isn't just the name of the show. It's a question Neville has been trying to answer for a long time. Because what he finds annoying everyone else finds funny.
-2
AJUWAYA – THE HAUNTED VILLAGE is a story of what happens when 6 corp members get posted to a remote village in Osun state and awaken an age long evil. - my9jatv.com
-1
Sahil Shah is 27 but mentally considers himself as a 3 year old. He's one of India's top comedians and his first ever stand up special Childish Behaviour is a look at his immature life, the silliness and pointlessness of things around him and his innate ability of making stupid faces and silly sounds to make anyone laugh.
-3
Based in Washington D.C. two childhood friends allow the love of money to become the root to their evils. Sweets, a madame of the streets comes across a truck full of drugs and instead of returning the vehicle to the notorious drug dealer, Hakeem, to which it belongs she sales the product and keeps the profit. Once Hakeem realizes Sweets is in possession of the missing truck he seeks revenge.
0
A struggling Chicago artist finds herself at a crossroads in life, overwhelmed by changes and needing to make a critical decision in her relationship.
-3
"A must watch film to know about the life of terrorists,their ideology and a solution which challenges this violent ideology".
-1
In a methodical scheme for gentrification in Bed-Stuy, Brooklyn, money, drugs and violence manipulate the lives of three warring families, forcing them to address their ills or face destruction.
-2
Can you and your friends slow the spread of a devastating global disease? (and promote other positive behaviors?) A Social Cure tells the stories of five unique individuals as their lives intersect with the HIV epidemic in South Africa. These stories together reveal humanity's newfound ability to affect change through our own personal relationships.
-1
'The Improvisers' feat. Kanan Gill, Abish Mathew, Kenny Sebastian and Kaneez Surka perform their first Improv Special; Something from Nothing. It is a completely improvised show where everything you see will be made up on the spot. Nothing rehearsed, nothing scripted. The show will incorporate music, theatre and comedy as they will create something from nothing. It's interactive, it's fun, it's out of the ordinary - Have Suggestion? Will Improv.
2
Fred Klett has built a career from being a clean comedian, a style that is his trademark. His comedy is G-rated and focused to appeal to families with members of all ages since much of his material is taken from his experiences growing up in a large Christian family. As a mainstream performer, his brand of humor is rare and refreshing and is rooted in his faith in Christ and belief in the Holy Scriptures.
6
A young man discovers that he must offset a debt owed by his late father. He goes through a myriad of trials and tribulations that stand to make or break him.
-2
New Orleans judge Michael Desiato is forced to confront his own deepest convictions when his son is involved in a hit and run that embroils an organized crime family.
-2
In a mystical and dark city filled with humans, fairies and other creatures, a police detective investigates a series of gruesome murders leveled against the fairy population. During his investigation, the detective becomes the prime suspect and must find the real killer to clear his name.
-4
The heartwarming and humorous adventures of a young country vet in the Yorkshire Dales in the 1930s. A remake of the 1978 series.
2
A group of vigilantes known informally as “The Boys” set out to take down corrupt superheroes with no more than blue-collar grit and a willingness to fight dirty.
-1
Loosely based on infamous crime boss Bumpy Johnson, who in the early 1960s returned from ten years in prison to find the neighborhood he once ruled in shambles. With the streets controlled by the Italian mob, Bumpy attempts to regain his piece of Harlem.
-5
A diverse band of Nazi Hunters living in 1977 New York City discover that hundreds of high ranking Nazi officials are living among us and conspiring to create a Fourth Reich in the U.S. The eclectic team of Hunters set out on a bloody quest to bring the Nazis to justice and thwart their new genocidal plans.
-2
When Eliza Scarlet’s father dies, he leaves her penniless, but she resolves to continue his detective agency. To operate in a male-dominated world, though, she needs a partner... step forward a detective known as the Duke. Eliza and The Duke strike up a mismatched, fiery relationship as they team up to solve crime in the murkiest depths of 1880’s London.
-1
When the head of a criminal organisation, Finn Wallace is assassinated, the sudden power vacuum his death creates threatens the fragile peace between the intricate web of gangs operating on the streets of the city. Now it’s up to the grieving, volatile and impulsive Sean Wallace to restore control and find those responsible for killing his father.
-5
Max Liebermann, a student of Sigmund Freud, helps Detective Rheinhardt in the investigation of a series of disturbing murders around the grand cafes and opera houses of 1900s Vienna.
-1
A hiker finds shelter in a mountain lodge inhabited by two strange women.
-1
About Charlotte Heywood, a spirited and impulsive woman, who moves from her rural home to Sanditon, a fishing village attempting to reinvent itself as a seaside resort.
0
Bond has left active service and is enjoying a tranquil life in Jamaica. His peace is short-lived when his old friend Felix Leiter from the CIA turns up asking for help. The mission to rescue a kidnapped scientist turns out to be far more treacherous than expected, leading Bond onto the trail of a mysterious villain armed with dangerous new technology.
0
Astrid Nielsen works in the library of the judicial police. She has Asperger's syndrome.  With an incredible memory, she excels at analyzing files of ongoing investigations. The district commander decides to use it to the fullest, entrusting her with very complex investigations which have remained unsolved to date.
1
Aziraphale, an angel, and Crowley, a demon, join forces to find the Antichrist and stop Armageddon.
0
In 2033, people who are near death can be “uploaded” into virtual reality hotels run by 6 tech firms. Cash-strapped Nora lives in Brooklyn and works customer service for the luxurious “Lakeview” digital afterlife. When L.A. party-boy/coder Nathan’s self-driving car crashes, his high-maintenance girlfriend uploads him permanently into Nora’s VR world.
-1
In this gritty and sometimes bloody tale, sixteen year-old Wayne sets out on a dirt bike with his new crush Del to take back the 1978 Pontiac Trans Am that was stolen from his father before he died. It is Wayne and Del against the world.
-6
The series will focus on the first generation to grow up during the zombie apocalypse.
-2
The journey of some of Power's most controversial characters.
-1
After getting into a near fatal car accident, Alma discovers she has a new relationship with time and uses this ability to find out the truth about her father’s death.
-2
Detective Martin Jones, who leads a double life as a killer for hire in Los Angeles' deadly underground, suffers an existential crisis which leads him deeper into a blood splattered world of violence.
-2
Metal drummer Ruben begins to lose his hearing. When a doctor tells him his condition will worsen, he thinks his career and life is over. His girlfriend Lou checks the former addict into a rehab for the deaf hoping it will prevent a relapse and help him adapt to his new life. After being welcomed and accepted just as he is, Ruben must choose between his new normal and the life he once knew.
-5
This thriller and coming-of-age drama follows the journey of an extraordinary young girl as she evades the relentless pursuit of an off-book CIA agent and tries to unearth the truth behind who she is. Based on the 2011 Joe Wright film.
0
A group of horse-mad teenagers who are regulars at their local stables on the fictional peninsula of Kauri Point.
0
A cocaine shipment makes its way to Europe, starting from the moment a powerful cartel of Italian criminals decides to buy it, to its journeys through Mexico, to its shipment across the Atlantic Ocean.
0
Fashion competition series hosted by Heidi Klum & Tim Gunn featuring 10 talented entrepreneurs and designers from around the world, who are ready to take their emerging brands to the next level and become the newest global phenomenon.
2
A family of four isolating against a pandemic virus that spreads through the internet and robs you of your ability to perceive reality - often violently - begins to unravel when they suspect one or all of them might be infected.
-5
Down deep in the Mississippi Delta, Trap music meets film noir in this kaleidoscopic story of a little-strip-club-that-could and the big characters who come through its doors—the hopeful, the lost, the broken, the ballers, the beautiful, and the damned.
-2
A widow with three children hires a handyman to fix her house during a major storm. When not doing home repairs, he shares his philosophy of believing in the power of the universe to deliver what we want.
0
A docuseries following the Australian Men’s Cricket Team, offering a behind-the-scenes look at how one of the world’s best cricket teams fell from grace and was forced to reclaim their title and integrity.
2
A group of ordinary people who stumble onto a puzzle hiding just behind the veil of everyday life come to find that the mystery winds far deeper than they ever imagined.
-2
Explore the physical and psychological depths of Muscle Dysmorphia through the eyes of five subjects in the bodybuilding industry.
0
Wendy, a hardened immigration officer is offered a high-profile asylum case, judged on her ability to quickly and clinically reject applicants. Through her interrogation, she must uncover whether Haile  is lying and has a more sinister reason for seeking asylum.
-4
Close friends Marcus and Holly begin their freshman year at a tough public high school in Baltimore County, Maryland. When Cassie, a well liked senior at the school, disappears suspiciously, both of their lives change forever. Together, will they find out what happened to Cassie? And after a dramatic confrontation, will any of them ever be the same?
1
A tough as nails private investigator (Malone) squares off with gangsters and their thugs to protect a valuable secret. Malone goes through hell to protect the information but he dishes some hell as well...
1
Yilong Zhu and Xiaotong are leading the cast! Let’s see the restart of these grave robbers. With mysteries unsolved, they’re gathering for adventure! On the way through all sorts of life and death, the secret about “the sound of the providence” is being uncovered step by step…
0
Born out of crime and largely marginalized by mainstream society emerges the story of Car Spinning in South Africa. Car spinning is South Africa's first original motorsport, unique for its longstanding popularity, where hustlers and dreamers of modest means become heroes.
0
Centers around a group of friends and strangers at an apartment party, set against the backdrop of Hurricane Sandy.
-1
This surreal, coming-of-age comedy series follows Ulysses and his friends Carly, Ford, and Severine, who are on various quests pursuing love, sex and fame. Between sexual and romantic dating-app adventures, Ulysses grows increasingly troubled as foreboding premonitory dreams make him wonder if some kind of dark and monstrous conspiracy is going on, or if he is just smoking too much weed.
-1
Chelsea, a high school introvert, is abducted through a social media app and is forced to look like other girls Brad holds captive. Chelsea desperately attempts to persuade them to escape before they all become victims in his virtual reality filmed murders.
-1
James May embarks on a remarkable journey across Japan, from its icy north to its balmy south. He’ll see the sights, meet the locals, and eat the noodles in a bid to truly understand the Land of the Rising Sun.
1
In this live-action adaptation of the beloved fairytale, old woodcarver Geppetto fashions a wooden puppet, Pinocchio, who magically comes to life. Pinocchio longs for adventure and is easily led astray, encountering magical beasts, fantastical spectacles, while making friends and foes along his journey. However, his dream is to become a real boy, which can only come true if he finally changes his ways.
0
Two young Finnish women in London are drawn inexorably together via the Studio - a clandestine group dedicated to bringing justice to those beyond the law. But, as their battle against exploitation, violence and corporate greed intensifies, will the Studio's ends continue to justify its means?
-2
The beautiful Spanish princess, Catherine of Aragon, navigates the royal lineage of England with an eye on the throne.
1
Businessman Greville Wynne is asked by a Russian source to try to help put an end to the Cuban Missile Crisis.
-1
A young woman and her fiancé are in search of the perfect starter home. After following a mysterious real estate agent to a new housing development, the couple finds themselves trapped in a maze of identical houses and forced to raise an otherworldly child.
-1
A mild-mannered police detective freshly stationed in tumultuous 1980 Amsterdam enters a race against time when he encounters a violent plot against the Dutch royal family.
-3
In the anarchic town of Seaside, nowhere near the sea, puppeteers Judy and Punch are trying to resurrect their marionette show. The show is a hit due to Judy's superior puppeteering but Punch's driving ambition and penchant for whisky lead to an inevitable tragedy that Judy must avenge.
-3
A group of teens must survive after a plane crash leaves them stranded on a deserted island. The girls tell their stories to investigators who slowly piece together what happened to them.
-2
Ten fishermen from Cornwall are signed by Universal Records and achieve a top ten hit with their debut album of Sea Shanties. Based on the true-life story of Cornish folk band, Fisherman's Friends.
1
In the Dublin Murder Squad, Garda detectives Rob Reilly and Cassie Maddox investigate murder cases that tap into Ireland's past and also touch on their own personal lives.
-2
Poverty, women's rights, climate change - indeed, many of the world's most pressing challenges - can be explained by answering one simple question: Can you turn your lights on in the morning?
0
When a truck crashes inside a tunnel, people on their way home for Christmas are brutally trapped in a deadly fire. With a blizzard raging outside, and the first responders struggling to get to the accident, it's every man for himself.
-6
The radical new take on Dickens’ classic seeks both to exhume the original story’s gritty commentary on social inequality and the corrupting influence of greed, and to breathe new life into the lyricism of the original text by setting its scenes to extraordinary tableaux of modern dance.
-2
When ocean explorer and filmmaker Mike deGruy dies unexpectedly in an accident, his wife returns to the edit room to make a film.
-1
Far from reality-show caricatures, this is true documentary filmmaking that brings viewers into the authentic and visceral experience of weekly therapy with four couples. World-class therapist Dr. Orna Guralnik deftly guides the couples through the minefield of honest confrontation with each other and with themselves, revealing the real-life struggles — and extraordinary breakthroughs — typically hidden behind closed doors.
1
A father and son represent two generations of policemen as they risk their lives in the war against drugs.
-1
A famous pianist at the twilight of his career meets a free-spirited music critic who soon becomes his rock as his mental state deteriorates.
0
A daughter and her 60-year-old mother embark on a 6 month, 2,300-kilometre ski trek through British Columbia’s rugged terrain.
0
Successful actress Vera Lockman thrashes during a nightmare in which she struggles with, shoots and kills her drug-dealer ex-boyfriend. Jolted awake, she reveals in her journal that the killing actually occurred the day before and that Sal, dead, lies in a trunk in her living room.
-6
A ghost-hunting duo team up to uncover and film paranormal sightings across the U.K. and share their adventures on an online channel. Their supernatural experiences grow more frequent, terrifying, and even deadly as the pair begin to uncover a conspiracy that could threaten the entire human race.
-3
Special ops squad "Hell's Bastards" are sent to infiltrate a civil war to retrieve intel. The unit soon find themselves trapped on a never-ending stairwell forced to climb or die. To survive, they must revisit their past sins if they ever want to get off.
-5
Alan is a stylish tailor with moves as sharp as his suits. He has spent years searching tirelessly for his missing son Michael who stormed out over a game of Scrabble. With a body to identify and his family torn apart, Alan must repair the relationship with his youngest son and solve the mystery of an online player who he thinks could be Michael, so he can finally move on and reunite his family.
1
Two female scam artists, one low rent and the other high class, compete to swindle a naïve tech prodigy out of his fortune. A remake of the 1988 comedy "Dirty Rotten Scoundrels."
-3
Solar debris crashes down to Earth, causing widespread destruction and unleashing solar radiation around the world. As genetic mutations rapidly spread, a group of friends must fight to stay alive and escape the chaos.
-3
Fifty years after its release, the special effects makeup team behind Planet of the Apes reflect on making the iconic film.
0
A group of young Miskatonic University scientists invent a time machine, only to learn that they are being manipulated by mysterious, unseen forces from another dimension.
-1
Don Koch tries to renovate a rundown mansion with a sordid history for his growing family, only to learn that the house has other plans.
0
The story of the Las Vegas professional hockey team Vegas Golden Knights during their first year in the National Hockey League.
1
When a hopelessly romantic high school senior falls for a mysterious new classmate, it sets them both on an unexpected journey that teaches them about love, loss, and most importantly themselves.
-3
Four unapologetically flawed women live, love, blunder and discover what really makes them tick through friendship and tequila in millennial Mumbai.
-1
Army Aviators say they fly "above the best" see the lengths these heroes will go to, to protect the soldiers on the ground, and each other during intense combat in the most dangerous places on Earth.
1
The men of a small town on the edge of nowhere mysteriously disappear, one by one, leaving women and children behind to fend for themselves in a desolate and dreamlike world.
-2
Sue Klebold attempts to reconcile how the son she affectionately referred to as "Sunshine Boy" became a school shooter. "If love could have stopped Columbine," she says, "Columbine would never have happened.
1
Documentary series that examines the life and career of Spanish football star Sergio Ramos.
0
A young boy named Dallas goes on a search for his pool-hustling father after he abandons their family. Dallas is determined to bring his father home when he meets Joe Haley, a drifter wrestling with a past he'd rather forget, who feels responsible for Dallas' safety and reluctantly takes him in.
-1
Dr. Steven Greer’s previous works, SIRIUS and UNACKNOWLEDGED, broke crowdfunding records and ignited a grassroots movement. CLOSE ENCOUNTERS OF THE FIFTH KIND features groundbreaking video and photographic evidence and supporting interviews from prominent figures such as Adam Curry of Princeton’s PEAR Lab; legendary civil rights attorney Daniel Sheehan, and Dr. Russell Targ, who headed the CIA’s top secret remote viewing program. Their message: For thousands of people, contact has begun. This is their story.
6
King Arthur returns home after fighting the Roman Empire. His illegitimate son has corrupted the throne of Camelot and King Arthur must reunite with the wizard Merlin and the Knights of the Round Table to fight to get back his crown.
-2
During a raging snowstorm, a drifter returns home to the blue-collar bar located in the remote Canadian town where he was born. When he offers to settle an old debt with a grizzled bartender by telling him a story, the night's events quickly spin into a dark tale of mistaken identities, double-crosses and shocking violence.
-5
At the dawn of the space-race, two radio-obsessed teens discover a strange frequency over the airwaves in what becomes the most important night of their lives and in the history of their small town.
1
Documentary series chronicles the 2018/19 season of Germany's football team Borussia Dortmund.
0
Bombshell is a revealing look inside the most powerful and controversial media empire of all time; and the explosive story of the women who brought down the infamous man who created it.
-2
A decade after the death of an American TV star, a young actor reminisces about the written correspondence he once shared with the former, as well as the impact those letters had on both their lives.
0
A self help writer and her family become the target of a troubled girl.
-1
Alone in the woods, nature photographer Harper witnesses a violent crime. After being captured by the culprits, she uses her survivalist skills to try and make it out alive.
-2
An ordinary guy suddenly finds himself forced to fight a gladiator-like battle for a dark website that streams the violence for viewers. In order to survive and rescue his kidnapped ex-girlfriend, he must battle Nix, a heavily armed and much more experienced fighter.
-1
Seeking inspiration for a new writing project, a man spends Halloween night in a notoriously haunted house. He soon realizes he is living in his own horror story.
0
A couple of parents get in over their heads when they decide to use Scandinavian alternative teaching methods for their teenager.
0
When a young woman meets an aspiring saxophonist in her father's record shop in 1950s Harlem, their love ignites a sweeping romance that transcends changing times, geography, and professional success.
3
With his trademark biting observations and political truisms, this is current affairs comedy told through sharply observant working class eyes. Putting the world bang to rights, Ashley Haden’s misanthropic wit comes down heavily on the most recent decade with cutting punchlines that will definitely give pause for thought.
-1
The story of Norwegian explorer Roald Amundsen, the leader of the first expedition to reach the South Pole in 1911, and the first person to reach both the North and South Poles in 1926. Follows his all-consuming drive as a polar explorer and the tragedy he brought on himself and others by sacrificing everything in the icy wastelands to achieve his dream.
-1
Struggling to provide her daughters with a safe, happy home, Sandra decides to build one - from scratch. Using all her ingenuity to make her ambitious dream a reality, Sandra draws together a community to lend a helping hand to build her house and ultimately recover her own sense of self.
4
When an acclaimed music producer goes off his medication for schizophrenia, his friends chase him though the LA music scene to help commit him to a psychiatric hospital, revealing the troubling inadequacies of the mental health care system.
-1
A behind-the-scenes look at the New York rare book world.
0
In Shirleyville, Vermont, during the sixties, sisters Merricat and Constance, along with their ailing uncle Julian, confined to a wheelchair, live isolated in a big mansion located on the hill overlooking the town, tormented by the memories of a family tragedy occurred six years ago. The arrival of cousin Charles will threaten the fragile equilibrium of their minds, haunted by madness, fear and superstition.
-10
Cosmoball is a mesmerizing intergalactic game of future played between humans and aliens at the giant extraterrestrial ship hovering in the sky over Earth. A young man with enormous power of an unknown nature joins the team of hot-headed superheroes in exchange for a cure for his mother’s deadly illness. The Four from Earth will fight not only to defend the honor of their home planet in the spectacular game, but to face the unprecedented threat to the Galaxy and embrace their own destiny.
1
After being dumped by his fiancé, heartbroken Hong Kong police officer Fallon Zhu gains 200+ pounds. His superiors demote him to the job of escorting convicts to Japan. When a convict in his custody mysteriously dies, he must team up with citizen Thor to solve the mystery.
-1
Lonely, unstable gas station attendant Melinda is tired of being overshadowed by her more confident, outgoing co-worker Sheila. When the gas station is held up at gunpoint by Billy, a desperate man in need of quick cash, Melinda finds an opportunity to make a connection with the robber, regardless of who gets hurt.
-4
Suspecting his wife of infidelity, Jerry is persuaded by his best friend to accompany him to a brothel to sample ‘The Special’, which proves to be a lifechanging experience in more ways than one. Because every pleasure has its price...
2
In 1933, Welsh journalist Gareth Jones travels to Ukraine, where he experiences the horrors of a famine. Everywhere he goes he meets henchmen of the Soviet secret service who are determined to prevent news about the catastrophe from getting out. Stalin’s forced collectivisation of agriculture has resulted in misery and ruin—the policy is tantamount to mass murder.
-4
A hardened criminal fresh out of the joint takes a job as a handyman in a dilapidated house; but the twisted horrors he finds inside are enough to send anyone running. So why does he stay? And why are so many people drawn to Penance Lane?
-2
An unlikely friendship unfolds between a young deaf boy, Wesley, and a fugitive criminal who takes refuge in an abandoned barn on the family’s rural North Dakota farm.
-4
Cliff is the leader of an enterprise he runs with his two best friends. His time in the life has taken a toll and he's eager to run away with his girlfriend Stephanie. They have a plan, but things take a dark twisted turn.
-1
Desperate to take care of his pregnant wife before a terminal illness can take his life, Dodge Maynard accepts an offer to participate in a deadly game where he soon discovers that he's not the hunter - but the prey.
-3
Rooted in the conflict between characters connected to the deity Santa Muerte and others allied with the Devil, this saga explores an exciting mix of the supernatural and the combustible reality of 1938 Los Angeles, a time and place deeply infused with Mexican-American folklore and social tension.
-2
In rural 1977 Georgia, a misfit girl dreams of life in outer space. When a national competition offers her a chance at her dream, to be recorded on NASA’s Golden Record, she recruits a makeshift troupe of Birdie Scouts, forging friendships that last a lifetime and beyond.
0
Story of two best friends Lu Ke and Shen Si Yi, who has contrasting personalities but are each other's closest friends. Their relationship broke down during graduation but nine years later they meet and reconcile. The two encouraged each other, faced difficulties, and overcome the setbacks in work and life together.
0
This next chapter in the flagship Generation Iron film series explores the controversial world of professional natural bodybuilding by following top pros competing for the Natural Olympia title in a league dedicated to ensuring all competitors are free of performance enhancing drugs. With drug use evolving at a rapid pace across sports and entertainment, natural bodybuilding as a whole has been criticized and questioned. Can the league guarantee that these competitors are truly natural?
3
This is a romantic historical drama based on the true story of the first woman "conquistador" who went to the South American land that would become Chile, and helped to form the city of Santiago. It is based on a 2006 novel by Isabel Allende.
2
This four-part docuseries investigates the events of 1993, where Lorena Bobbitt sliced off her husband's penis after years of abuse. John and Lorena Bobbitt's stories exploded into a 24-hour news cycle. She became a national joke, her suffering ignored by the male-dominated press. But as John spiraled downward, Lorena found strength in the scars of her ordeal.
-5
Khalid, is entrusted with the task of eliminating Kabir, a former soldier turned rogue, as he engages in an epic battle with his mentor who had taught him everything.
-1
A cafe owner discovers that the TV in his cafe suddenly shows images from the future, but only two minutes into the future.
0
In the near future, people’s minds are connected to The Feed, giving them instant connectivity. When something or someone invades it, everyone is at risk.
-1
Nikki is a carefree, fun-loving girl juggling the men in her life in her quest for the ultimate love. She soon falls into a fantasy world where she is no longer able to distinguish her real life with her "secret" one.
1
Two millennials connect on an online dating site and decide to spend an evening together.
0
Vikram Rudraraju is a 30-year-old cop working for the Telangana State Police. While Vikram is battling with his own traumatic past, the stakes get high when a girl called Preethi mysteriously disappears in Hyderabad and Vikram has to solve the case at any cost.
-2
A father and daughter are on their way to dance camp when they spot the girl's best friend on the side of the road. When they stop to offer the friend a ride, their good intentions soon result in terrible consequences.
1
Under small-town scrutiny, a withdrawn farmer’s daughter forges an intimate friendship with a worldly but reckless new girl in 1960s Oklahoma.
0
From the creator of Survivor, 66 teams descend upon Fiji to compete in the most epic global adventure race ever attempted. Bear Grylls hosts this 11-day expedition that pushes competitors to their physical and emotional limits. For the veteran teams the goal is to win – but for most, the dream is to finish and prove to themselves and the world, that they can prevail in the World’s Toughest Race.
2
An ambitious vlogger experiences the dark side of the internet when his latest video, which features an alleged haunting, goes viral.
-1
When a little girl is kidnapped by a trafficking ring, they soon find they messed with the wrong child. Her mother, a notorious former gang leader, is close on their trail and will go to any lengths to bring her child home.
-3
After being blinded in a coup against the king, Joseon's greatest swordsman goes into hiding, far removed from his city's anguish. But when traffickers kidnap his daughter, he has no choice but to unsheathe his sword once more.
0
While grieving for the loss of their mother, the Connolly sisters suddenly find they have a crime to cover up, leading them deep into the underbelly of their salty Maine fishing village.
-2
When their daughter decides to get a divorce, Coline and Andre can’t come to terms with it as they are very fond of their son-in-law. The only way to keep seeing him is in secret. But for how long can they lead a double life?
2
In a near-abandoned subdivision west of Houston, a wayward teen runs headlong into her equally willful and unforgiving neighbor, an aging bullfighter who's seen his best days in the arena; it's a collision that will change them both.
-1
Explorer Adam Shoalts embarks on an estimated 4000 km journey across the Canadian Arctic by canoe and on foot, alone.
0
A woman returns to her family home and discovers it to be inhabited by monsters.
-1
A story about three sisters struggling to survive in a desolate world surrounded by decaying buildings and red fog. The story revolves around Rin, a girl with an updo. There's also Ritsu, the big sister who has cat ears and is always calm, and Rina, the innocent, cheerful one dressed in a maid's costume. Just what is it that these sisters are after in this mysterious world?
-1
Ever wondered about your parents' sex life? Neither did Molly and Elle until coming out and divorce forced them to learn about their parents' new sex-capades. After a lifetime of dating men, Molly (31, a grade eight teacher) surprises herself when she falls in love with a woman for the first time. When she finds the courage to come out as bisexual to her suburban parents, they empathetically reveal their own admission - they're swingers and throw sex parties.
1
A close-up look into those Spanish classrooms where things aren't going as well as they should.
1
In The Pale Tourist, Gaffigan boldly goes where no stand-up comedian has gone before: everywhere. The two hour-long specials were filmed as part of Gaffigan's The Pale Tourist worldwide tour, in which he traveled the world--in each country meeting people, eating the food, and learning a bit about the history. He would then transform those experiences into a stand-up set of all-new material and perform it for locals and expatriates, before heading on to another destination and doing it all over again.
-2
“Hush” is an office drama about newspaper reporters and their everyday struggles, problems, and ethical dilemmas.  Han Jun Hyeok is a veteran reporter for a newspaper. He first became a reporter to pursue justice, but he is now conflicted between idealism and pragmatism. Han Jun Hyeok must also deal with personal issues as a husband and father.

Lee Ji Su is a bold intern reporter who isn’t afraid to say what needs to be said, even during a job interview. When she meets Han Jun Hyeok as her mentor, she begins to dream of becoming a true journalist.
-5
A coming-of-age story about the many first adventures in a young man's life. Dhruv is 16, and in a hurry to grow up. With a little help from his school friends, the wannabe bad-boy Kabir, and the color-blind but doesn't know it Susu, Dhruv sets out to woo the first crush of his life, the feisty, out-of-his-league class topper, Chhavi. Venturing out of their childhood, in their last years of school, the trio find their first drink, pick their first fight and mend their first broken hearts.
0
An anarchic, hip-hop inspired comedy that follows four city boys on a wilderness trek as they try to escape a mysterious huntsman.
-1
A murder mystery told from eight different perspectives, with the audience tasked to figure out who is lying and why.
-3
Following the disappearance of the glamorous and secretive Evelyne Ducat during a blizzard in the highlands of southern France, the lives of five people inextricably linked to Evelyne are brought together to devastating effect as the local police investigate the case.
-2
A group of young adults who met online are mercilessly hunted by a shadowy deep state organization after they come into possession of a near-mythical cult underground graphic novel.
-2
Rihanna is an icon whose work in music, fashion and beauty is unparalleled. The SAVAGE X FENTY SHOW is a shoppable visual event, giving us a look into Rihanna’s creative process for her latest lingerie collection. Modeled by incredible, diverse talent; celebrating all genders and sizes; and featuring performances by the hottest music artists, nowhere else will you feel this kind of empowerment.
7
A never-before-seen look at the rigorous standards and intense competition that characterizes the brewing of the world's most iconic American Lager -- Budweiser.
-1
14 years after making a film about his journey across the USA, Borat risks life and limb when he returns to the United States with his young daughter, and reveals more about the culture, the COVID-19 pandemic, and the political elections.
-1
To many in the bodybuilding world, Calum von Moger is seen as the future of the sport. A two time Mr. Universe champion who has proven himself to have one of the greatest physiques currently on the professional stage; Calum was catapulted into social media stardom. Known for his resemblance to Arnold Schwarzenegger and dubbed Arnold 2.0.  But a sudden and tragic bicep tear brought his training and goals to a grinding halt. Losing dozens of pounds of muscle and unable to train until fully recovering – Calum was forced to reassess his bodybuilding path and find a way to fight back up to the top. Calum von Moger: Unbroken chronicles his rise, fall, and now recovery as he moves into a promising career in television and film.  Showcasing a man with an indomitable will that overcomes all the hurdles in his path and taking him to a place that both skeptics and doctors thought was impossible.
0
OCEAN RAMSEY attributes her unparalleled connection with sharks to over a decade of research, but many are convinced it is something more... The media has dubbed her "The Shark Whisperer". Battling a looming extinction, Ocean and her team of marine biologists will travel the globe for 12 months, conducting research and expanding their conservation efforts. From renowned scientists and PHDs, to elite athletes and celebrities, "The Shark Whisperer" will lead humans from all walks of life out of their element and into the deep... free-diving with some of the worlds most dangerous sharks. Her goal: To give the world the opportunity to see sharks the way she does.
-2
A Chinese clone of 45th U.S. president, Donald J. Trump, survives the Earth's destruction by escaping his maximum security lab and stowing-away aboard the last Chinese space-bound shuttle. Hundreds of years into the future the human race fights for its survival against Illuminati forces. Following a prophecy, Trump's clone joins forces with the surviving human allies to bring the battle straight to the Illuminati headquarters in hell. But when Donald Trump meets Satan himself, he'll be in for the fight of his life.
4
A programmer's mysterious disappearance leads to the reunion of old friends and the discovery that the strange stories she left behind may hold clues to an impending technological crisis.
-3
Shot in two true single takes, filmed simultaneously in two different parts of a city, "Last Call" is a real-time feature presented in split screen, showcasing both ends of a wrong number phone call that has the potential to save a life.
-2
A woman's panicked decision to cover up an accidental killing spins out of control when her conscience demands she return the dead man's body to his family.
-4
Driven by a plea for help from a man in Appalachia under supernatural assault, a small crew of paranormal researchers find themselves in a dying coal town, where a series of strange coincidences leads them to a decades-old mystery with far-reaching implications.
-5
Amy and Chris are quarantined at home in Martha's Vineyard with their nanny, who looks after baby Gene and runs the camera during naptimes. Chef Chris is on a mission to use this quarantine to teach his wife to cook and Amy is ready, and for the most part willing, to learn.
2
By teaching the sport he loves an aging boxing coach and diplomatic refugee rediscovers his dream to fight in the United States of America.
2
The lives and loves of a close-knit group of young gay ladies as they make their way in a not-so-modern world.
1
An equal rights crusader, journalist and activist: Gloria Steinem embodies these and more. From her role in the revolutionary women's rights movement to her travels throughout the U.S. and around the world, Steinem has made an everlasting mark on modern history. A nontraditional chronicle of a trailblazing life.
5
From humble roots as pastor's sons in New Jersey, through their meteoric rise to fame, the Jonas Brothers' bond was unshakeable-until a surprising and painful breakup led Joe, Kevin and Nick down very different paths. With deeply personal interviews, previously unreleased footage and exclusive music, this is the Jonas Brothers as never seen before.
1
Five guys decide to help his best friend over come his recent break up by showing him a sex driven and crazy life style people have when they are single.
-1
A feature-length documentary about the film Galaxy Quest and its legacy, celebrating its milestone 20th anniversary.
0
It tells a story that how two young women become close friends by having dinners together. They happened to be arranged seated at the same table one time they went to eat out alone. At that time, they were both bothered by relationships, and from the first accidental dinner together, multiple dinners then followed, over which they open up to each other their relationship troubles, get closer and develop an unusual friendship.
-4
A terminally ill mother invites her family to their country house for one final gathering, but tensions quickly boil over between her two daughters.
-2
Four lifelong friends head to a remote lodge for a weekend of fun. What begins as an idyllic retreat quickly descends into a fight for their lives when a local Pagan cult offer them up to their Goddess as a sacrifice for the Solstice.
1
Inspired by the true stories of New Zealand's street gangs across 30 years, we follow Danny at three defining moments in his life as he grows from a boy into the violent enforcer of a gang.
-1
The documentary series shows Alonso's passion for competing at the highest level and his determination to win. Documented last year, from his presence on the most important circuits, like the Indianapolis 500 or the 24 hours of Le Mans, until his climax with his debut on the Dakar last January, Fernando offers access in his life.
4
After catching her long-term boyfriend cheating, Jenna turns toward elements she doesn't fully understand to get revenge. Said vengeance comes in the form of a succubus named Lillith, who embarks on a bloodthirsty, sex-fueled rampage.
-5
Once a known counterculture figure, June E. Leigh now lives in self-imposed exile in her South Bronx apartment during the incendiary '77 Summer of Sam. When an unseen tormentor begins exploiting June's weaknesses, her insular universe begins to unravel.
-5
An in-depth, sad, and beautiful documentary about the stop motion and VFX artist Phil Tippett, a man who changed the landscape of visual effects in film.
0
Sergio Jadue, a lowly director of a small-town soccer club in Chile, unexpectedly finds himself at the head of the Chilean soccer association. Drunk with power, he becomes the protégé of soccer godfather Julio Grondona, as well as the FBI’s key to undoing the largest corruption scheme in the world of soccer.
-3
Is a suspenseful romantic comedy about a woman who inadvertently gets caught up in the world of espionage. Kang Ah Reum, a wedding dress designer who gets married twice, to two husbands who both harbor many secrets. Kang Ah Reum’s first husband Jun Ji Hoon is a charming and unpredictable secret agent who works for Interpol. Meanwhile, her second husband Derek Hyun is a highly intelligent corporate spy with a competitive streak.
4
The story of Danish photographer Daniel Rye, who was captured by ISIS in Syria in 2013 and held hostage for 398 days.
-1
Faced with the tyranny of Caesar who acts as absolute master over Rome, Senators Rufus and Cassius form a plot to assassinate him.
-2
In a small town filled with secrets, three sisters are forced to cling to each other as they cope with loss and a father who's growing increasingly obsessed with the rapture he thinks is coming.
0
After losing his wife and his memory in a car accident, a single father undergoes an experimental treatment that causes him to question who he really is.
-1
2019  Power up for another intelligent, informed, intricately woven comedy special from Aussie Alice Fraser. With AI robot Ethos at her side, Alice ponders humanity, history, failure, d* pics, hypocrisy and love. This is one of those stand-up gems that’s unafraid to raise big existential questions, whilst keeping you entertained with brilliant observational comedy along the way.
2
At an isolated frontier outpost, a colonial magistrate suffers a crisis of conscience when an army colonel arrives looking to interrogate the locals about an impending uprising, using cruel tactics that horrify the magistrate.
-7
When Amador Coro gets out of prison for having provoked a fire, nobody is waiting for him. He returns to his home town, a small village hidden in the mountains of rural Galicia, to live with his elder mother, Benedicta, and three cows. Life goes on calmly, following the rhythm of the nature. Until the night when a fire devastates the region.
-2
In 1985, American DEA agent Enrique “Kiki” Camarena was kidnapped, tortured, and murdered by Mexico’s most notorious drug lords. Thirty-five years later, three former cartel insiders share unprecedented details. This is the story of Camarena, the drug cartel he infiltrated, and the narc who risked everything to discover the truth.
-2
A 21-year old boy Sunny has a penchant for sexually assaulting and killing girls. He's locked horns with top cop Shivani Shivaji Roy. Will she nab him?
0
Soon after arriving to a mysterious cabin in the woods, a group of teens discover the dark secret it holds, which forces them to fight for their lives.
-2
Four-part docu-series following the search for one man, Richard Scott Smith, who over the past 20 years used the internet and his dubious charms to prey upon unsuspecting women in search of love — conning them out of their money and dignity.
1
Memory and hallucination intertwine to expose a history of trauma, revealing Elyse is Catatonic and institutionalized in a State Hospital.
-2
Robyn, the sharp and witty publicity maven, is an expert at her craft but a complete self-saboteur when it comes to her personal life. Robyn’s work as a crisis PR strategist is fast-paced and unpredictable, as she counsels high-profile personalities in entertainment, fashion and sports.
2
A 17 year old finds out that his girlfriend is dying, so he sets out to give her an entire life, in the last year she has left.
-1
Noreno, a half-Roman, is entrusted with the mission of crossing the snowy mountains of Armenia, swarming with Parthian patrols, to seek help for his slowly dying men.
-2
From the song he refuses to perform to his admiration for Drake, a songwriting legend reflects on his lyrics and longevity with candour and humour. At 80 years young (and currently recording another album), Gordon Lightfoot continues to entertain and enlighten. Personal archive materials and studio sessions paint an intimate picture of an artist in his element, candidly revisiting his idealistic years in Yorkville's coffeehouses, up through stadium tours and the hedonistic '70s.
3
Georgie is slowly suffocating in a loveless marriage to fishing tycoon Jim Buckridge. Handsome poacher Lu is an irresistible symbol of the excitement she craves. A passionate affair follows that reveals the dark secrets in Lu’s past and forces him to take flight into the blistering heat of the outback. Georgie follows, determined to find him and bring him back.
0
Inside the halls of an elite arts academy, a timid music student begins to outshine her more accomplished and outgoing twin sister when she discovers a mysterious notebook belonging to a recently deceased classmate.
1
In the aftermath of Cassius Clay's defeat of Sonny Liston in 1964, the boxer meets with Malcolm X, Sam Cooke and Jim Brown to change the course of history in the segregated South.
1
1840 and another ship crashes on the rocks of an almost deserted island in Scotland. Three sailors survive the wreck and make it to shore where the few locals take them in as they wait for the mainland boat to come for them. But the sailors' survival story has only just started as they uncover the strange past of the once vibrant island.
-1
A young woman decides to make positive changes in her life by training for the New York City Marathon.
1
A couple get into an argument at their cocktail party that escalates until it brings an abrupt end to the festivities. They and their guests decide to re-create the entire night again and again to determine who was right.
0
Our complex food system rests on the wings of the honey bee and the commercial beekeepers that move them from farm to orchard, pollinating the crops that we eat.
-1
Finley, a talented aspiring violinist, meets Beckett, a famous young movie star, on the way to her college semester abroad program in a small coastal village in Ireland. An unexpected romance emerges as the heartthrob Beckett leads the uptight Finley on an adventurous reawakening, and she emboldens him to take charge of his future, until the pressures of his stardom get in the way.
3
Four naive and vulnerable wing-mates develop lasting bonds as they jostle hard to survive the first semester in a hostel. Peppered with absurdities, chutzpahs, clashes and debacles inherent to hostel life, 'Hostel Daze' depicts the grill that every Indian hostel-resident goes through.
-7
Shy and reserved, Claire Decker, 30ish, is a part-time investigator for Social Services. Typically, she solves cases where senior citizens have died alone, leaving no indication of who must handle their estate. This time however, Claire is reluctantly drawn into a puzzling murder case. The local police have been unable to solve the horrific crime, or even decipher the victim's true identity. A beautiful and enigmatic young blond, known only as "The White Orchid," has been brutally murdered. As Claire is drawn deeper and more intimately into the dead woman's life, she finds herself taking dangerous chances and pushing personal and professional boundaries. As she gets closer to the truth, Claire must effectively become the charismatic "White Orchid" in order to solve the mysterious crime.
-9
Rivalries, dark secrets, and sexual tension emerge when three best friends find themselves stranded on a yacht in the middle of the ocean under suspicious circumstances.
-3
India's biggest actors, politicians, musicians and influencers are trained by top comedians to perform stand-up comedy for their very first time.
1
A film about an overweight elementary school teacher, Betty, who challenges herself to a burlesque dance in revealing clothes and regains her self-confidence as well as a student with a physical complex.
-1
When a video game designer stumbles into a blackmail conspiracy, he clashes with contract killers, Russian mobsters, and compromised cops in a wild journey through the bizarro world of Los Angeles. Uniquely told through a first-person point of view, Burning Dog is a relentless suspense thriller that keeps you guessing until the very end.
-9
Katie Arneson is faking cancer. A university dance major, Katie's falsified diagnosis and counterfeit fundraising have transformed her into a campus celebrity surrounded by the supportive community she's always dreamed of. But now dependent on a bursary for sick students to maintain her ruse, Katie learns the funding is in jeopardy unless she can provide copies of her medical records within the week.
-2
Murders, disappearances, and strange occurrences begin piling up in connection with the appearance of a new club drug called "Blis".
-2
A fly-on-the-wall inside look at the goings-on of Tottenham Hotspur during the 2019-20 football season.
0
The Bra tells the story of the lonely and soon to be pensioned train driver Nurlan. On his last day of work his train hits a clothes line and snags a white bra with blue dots with it. Determined to find the owner, Nurlan leaves no stone unturned and embarks on a dazzling journey through the neighbourhoods of Baku, trying to convince as many women as possible to try on the lost bra.
-1
A troubled college freshman, Luke, suffers a violent family trauma and resurrects his childhood imaginary friend Daniel to help him cope.
-5
A blue collar worker tries to rescue his pregnant, heroin-addicted girlfriend from the notorious streets of Camden, NJ and her close-knit group of drug users. Once their son is born, he forces her to choose between her life with her drug "family" and one with him and their child.
-1
11-year-old Polina, who knows nothing about her past and parents, lives with her spiteful aunt and wicked cousin. They secretly plan to get rid of the girl at the day of her birthday, all to get their hands on her mysterious inheritance. Chased by the villains, Polina manages to escape on a magical quest to discover the secret about her family. But she only has until midnight to achieve this goal.
-2
Forget all you have heard about how “Renewable Energy” is our salvation. It is all a myth that is very lucrative for some. Feel-good stuff like electric cars, etc. Such vehicles are actually powered by coal, natural gas… or dead salmon in the Northwest.
0
A group of mutant outcasts including a young woman with enhanced super strength find themselves being hunted down, one by one by a sinister government organization. But when an even stronger enhanced serial killer emerges on the scene, agents and mutants are forced to question their allegiances.
1
A samurai lord has bartered away his newborn son's organs to forty-eight demons in exchange for dominance on the battlefield. Yet, the abandoned infant survives thanks to a medicine man who equips him with primitive prosthetics—lethal ones with which the wronged son will use to hunt down the multitude of demons to reclaim his body one piece at a time, before confronting his father. On his journeys the young hero encounters an orphan who claims to be the greatest thief in Japan.
-1
In Whithren, a line of women pass a recurring dream through multiple generations.
0
This is the story of a guy who goes too fast and a big guy who is too slow. Foster meets Taupin. All this would be trivial if one of them had a scary scenario, the scenario of their lives and their deaths. Just open the pages and shake.
-4
Two popular teen boys, best friends since childhood, discover their lives, families, and girlfriends dramatically upended after an unexpected incident occurs on the night of a 17th birthday party.
1
The carefree life of a 40-year-old playboy comes to a standstill when he comes to know that he has a 20 something-year-old daughter.
0
A hardened CIA operative finds himself at the mercy of a precocious 9-year-old girl, having been sent undercover to surveil her family.
0
In a bid to distract herself from an affair, a narcissistic woman befriends a cleaning lady with burn scars, but she soon discovers that the scars may be more than skin deep.
-4
When a vintage Jack-in-the-box is un-earthed and opened, it's new owners soon have reason to believe the creepy clown doll within has a life of it's own.
-1
Immortality or Bust follows Zoltan Istvan's Transhumanist Party presidential campaign.
-1
A year in the life of a dying shopping mall.
-1
When a group of filmmakers trek deep into the woods to investigate a missing persons case, they inadvertently start a chain of events that lead to horrific consequences.
0
A boy in New York is taken in by a wealthy family after his mother is killed in a bombing at the Metropolitan Museum of Art. In a rush of panic, he steals 'The Goldfinch', a painting that eventually draws him into a world of crime.
-3
In 1862, daredevil balloon pilot Amelia Wren teams up with pioneering meteorologist James Glaisher to advance human knowledge of the weather and fly higher than anyone in history. While breaking records and advancing scientific discovery, their voyage to the very edge of existence helps the unlikely pair find their place in the world they have left far below them. But they face physical and emotional challenges in the thin air, as the ascent becomes a fight for survival.
-1
Ever since her father was murdered, Taylor has had to take care of her agoraphobic mother, Ann Marie, and tend to the family farm. Ready to start her own life, she prepares to tell her mother that she is going to move away with her boyfriend Blake at the start of the new school year. However, her plans are put on hold when a looming storm threatens to destroy the farm. As she prepares for the storm, a stranger knocks on the door asking for a place to stay because he has run out of gas. Reluctant to trust the stranger, Taylor can't help but believe he is connected to her father's death. Now she must brave the storm while keeping her mother safe from this mysterious man.
-3
Anastasia Romanov escapes through a portal when her family is threatened by Vladimir Lenin, and she finds herself in the year 1988, befriended by a young American girl.
0
Two young people arrive in New York to spend a weekend, but once they arrive they're met with bad weather and a series of adventures.
-1
A depressed dentist in mid life crisis tries to learn why one of his happiest patients suddenly commits suicide, and a dark comedic adventure ensues.
-3
When Jane is rejected by life, she spirals into a chaotic, schizophrenic world where love and normality collide with humorous consequences.
0
A woman is forced to go on the run after her husband betrays his partners, sending her and her baby on a dangerous journey.
-2
A 6-year old girl is kidnapped by a mysterious masked man, who demands an unusual ransom. To save his daughter, Dr. Avinash Sabharwal must kill someone! Meanwhile, Kabir Sawant's journey continues in the hostile environment of the Delhi Crime branch. Lies, deceit and mind games begin when Kabir is given charge of the investigation, and meets Avinash.
-7
Sue works in a library. Daniel eats crisps and listens to Metallica. This was the summer Daniel was due to spend with his father and his father's new wife in Florida. But when they cancel his trip at the last minute, Sue and Daniel suddenly face the prospect of six long weeks together.
0
Fox Rich, indomitable matriarch and modern-day abolitionist, strives to keep her family together while fighting for the release of her incarcerated husband. An intimate, epic, and unconventional love story, filmed over two decades.
3
Wren, Reynold, Everett and Lucy face off against ferocious, nougat-munching monsters that lurk in the shadows of the sleepy town of Auburn Hollow. They must learn to use their imaginations to unlock the magical powers of their homemade costumes and save the universe on a night where monsters reign... Halloween!
-3
An innocent man sentenced to rot in a Cambodian jail is released for the sadistic pleasure of twisted trophy hunters and forced to fight - or die.
-1
Late one night, Bill Greer and his son Jackson patrol their ranch when Jackson accidentally kills an immigrant Mexican boy. When Bill tries to take the blame for his son, Jackson flees south on horseback, becoming a gringo "illegal alien" in Mexico. Chased by Texas Rangers and Mexican federales, Jackson journeys across Mexico to seek forgiveness from the dead boy's father only to fall in love with the land he was taught to hate.
-6
When Bruce Chatwin was dying of AIDS, his friend Werner Herzog made a final visit. As a parting gift, Chatwin gave him his rucksack.  Thirty years later, Herzog sets out on his own journey, inspired by Chatwin’s passion for the nomadic life, uncovering stories of lost tribes, wanderers and dreamers.
-1
A legendary late-night talk show host's world is turned upside down when she hires her only female staff writer. Originally intended to smooth over diversity concerns, her decision has unexpectedly hilarious consequences as the two women separated by culture and generation are united by their love of a biting punchline.
1
60-year-old Neal Unger tests his limits on a skateboard. 70 year-old Ann Perez de Tejada is the world's oldest female MMA fighter. Helen Lambin got her first tattoo at the age of 75. 86 year-old James Haake is the world's oldest working drag queen. After 40 years, Zillah Minx's band is still as punk as it's ever been, and Stephen Leafloor is turning his decades-long passion for hip-hop into a powerful tool for change. Their stories are Radical Age, a documentary that proves it's never too late to defy convention.
-3
Early 1980's, the only family toddler Luke knew were the strippers, bouncers, and outcasts that called OKC's rowdiest strip club home.
-1
Welcome to Paranoia, the ultimate escape game. Rule #1: Nothing is real. Rule #2: One of you will die. Lucas and Chloe, two passionate gamers, decide to participate to Paranoia, a very exclusive escape game. After solving a first riddle, they make it to the location of the finale in an abandoned mental hospital, lost in a frightening forest. There, four other participants are waiting on them. They soon realize that only one of them will get out of there alive.
-3
A seemingly perfect romance turns dark when a mother becomes convinced her daughter’s new boyfriend has a sinister connection to her own past.
-1
In 1976 a famous American writer Nathan Zuckerman is challenged by Czech immigrant Sisovsky who implores him to retrieve valuable manuscripts from communist Czechoslovakia. The writer accepts this dangerous mission, where his every step is observed by secret police. Once in Prague, he meets Sisovsky‘s flamboyant and wild ex-wife Olga who is in possession of the manuscripts. The evolving relationship between the hot-headed Olga and Nathan is a confrontation between two worlds - the repressed East and free West. But, Olga won‘t give up the manuscripts to Nathan so easily…
1
Jay and Silent Bob embark on a cross-country mission to stop Hollywood from rebooting a film based on their comic book characters Bluntman and Chronic.
0
In 1973, when Frank Bledsoe and his 18-year-old niece Beth take a road trip from Manhattan to Creekville, South Carolina for the family patriarch's funeral, they're unexpectedly joined by Frank's lover Walid.
0
The global war on terror rages on. When a government official goes missing, Lance, a man with an impressive record of service to his country, finds himself protecting the man who embodies everything he has dedicated his life to fight against.
0
The story of a middle-class man who works for a special cell of the National Investigation Agency. While he tries to protect the nation from terrorists, he also has to protect his family from the impact of his secretive, high-pressure, and low paying job.
2
Wanting to lead an honest life, a notorious bank robber turns himself in, only to be double-crossed by two ruthless FBI agents.
0
The story of Daniel Jones, lead investigator for the US Senate’s sweeping study into the CIA's Detention and Interrogation Program, which was found to be brutal, immoral and ineffective. With the truth at stake, Jones battled tirelessly to make public what many in power sought to keep hidden.
-1
A discriminated assistant director decides to remake a bran-new love movie. But the contingently-rewritten script awakens real ghost which possesses the actor and and causes death of field personnel.
0
Kyle and Swin live by the orders of an Arkansas-based drug kingpin named Frog, whom they've never met. But when a deal goes horribly wrong, the consequences are deadly.
-2
A young woman who has faded to the point of becoming invisible must find her way back with the help of the one man who can see her.
-1
In the aftermath of a roadside accident, the line between the living and the dead collapses for a mother, a daughter and a stranger.
-3
Thirty years after starring in "The Wizard of Oz," beloved actress and singer Judy Garland arrives in London to perform sold-out shows at the Talk of the Town nightclub. While there, she reminisces with friends and fans and begins a whirlwind romance with musician Mickey Deans, her soon-to-be fifth husband.
1
Superstition, magic, and bad decisions drive us down a road into a small town in rural Georgia with Devin, a 17-year-old boy. Along with his friends, Devin learns quickly there are some places that should remain a mystery.
-2
When the last factory in a small Rust Belt town closes its doors, an unlikely hero emerges in dutiful, quiet Allery Parkes. A career employee of the factory, the aging Allery can't reconcile how to live a life simply sitting at home doing nothing. Against the advice and pleas of his loving wife Iola, he forms an unlikely friendship with his charismatic neighbor Walter Brewer in order to revive the defunct factory.
1
A documentary that explores the history & stories behind the art that helped create the world's most popular role playing game. The movie profiles artists - both past & present - & features former company insiders, game designers, authors, & fans.
2
Despite his adult age, Anselmo behaves like a child and takes up the role of a superhero called "Copperman."
1
Through interviews with both victims and instigators, Nanfu Wang, a first-time mother, breaks open decades of silence on a vast, unprecedented social experiment that shaped — and destroyed — countless lives in China.
-2
From Iowa to Studio 54, this investigation into the rags-to-riches story of America’s first superstar designer uncovers the cautionary tale of an artist who sold his name to Wall Street.
-1
A woman's search to uncover the mystery of the disappearance of her husband leads her to the Congo, where she's forced to seek the truth about what happened to the man she loved.
1
Henri is a middle-aged writer with fading inspiration who has published nothing worthy of note in years. Feeling increasingly misunderstood by his wife and four grown up deadbeat kids, he dreams of running away to start over again. Yet when he discovers an unattractive, bad-mannered dog in his garden, he decides to adopt him and both start developing an unexpected friendship that inevitably upsets Henri’s family and neighbors.
-4
A man on the verge of a promotion takes a mysterious hallucinogenic drug that begins to tear down his reality and expose his life for what it really is.
-1
Korean War, September 1950. In order to fight the enemy forces based in the South of the peninsula, General MacArthur orders the start of the Incheon Landing Operation, deploying diversionary attacks in other locations. Without real military forces to spare, 772 very young Korean student soldiers, barely trained, are sent to Jangsari Beach, where they will face a heroic fate and discover the value of friendship. (A sequel to Operation Chromite, released in 2016.)
-1
SI Manikandan and his police team are dispatched to Basthar, a Maoist area for election duty where they aren't trained to handle the attacks in a territory field filled with land mines while being armed with unnecessary ammunition.
-2
A group of friends stumble upon a mirror that serves as a portal to a "multiverse", but soon discover that importing knowledge from the other side in order to better their lives brings increasingly dangerous consequences.
-1
After being physically attacked by his loving wife Carmen, a series of unsettling incidents lead her husband Pat to question just what is happening to her. It's only when Carmen can't find her own house one day, that she and Pat are ready to face the unimaginable: Carmen has early onset Alzheimer's. As her cognition deteriorates, and the time draws closer when Carmen will no longer even recognize her devoted husband, Pat finds refuge in the only place left that the disease can't reach -- his memories of their life together.
1
The teenage daughter of a religious fanatic attempts to escape her twisted family life when three strangers break down near their remote farmhouse and interrupt her father's delusional family suicide pact.
-7
The story of Rodrigo Díaz de Vivar, a Castilian nobleman and war hero in medieval Spain.
1
Bryan Callen records his third special in Chicago’s historic Thalia Hall and reconsiders our debate on all things equality. He rails against our tendencies to turn each other into nouns like black, white, immigrant, Muslim, gay, straight, man, woman, and instead suggests that the best way to navigate our current culture war is to think of our fellow humans not as a fixed label, but as verbs.
1
A family calls in an intervention for Benjamin, a kid who is doing drugs. Soon, it becomes clear that those who are confronting Benjamin's problem also have many problems of their own.
-1
Putham Pudhu Kaalai brings together 5 of the most celebrated directors in Tamil cinema - Sudha Kongara, Gautham Menon, Suhasini Mani Ratman, Rajiv Menon, and Karthik Subbaraj to create Amazon Prime Video's first Indian anthology film.
1
Ariela, a traditional Jew, meets Ivan, a young man who is not Jewish with whom she begins a secret relationship despite her family beliefs.
0
Panchayat is a comedy-drama, which captures the journey of an engineering graduate Abhishek, who for lack of a better job option joins as secretary of a panchayat office in a remote village of Uttar Pradesh. Stuck between crazy villagers and a difficult village lifestyle Abhishek starts his job with the sole motivation of getting out of there as soon as possible, for which he even prepares for CAT.
-3
Merab has been training since a young age at the National Georgian Ensemble with his dance partner Mary. His world is suddenly turned upside down when the charismatic and carefree Irakli arrives and becomes both his strongest rival and desire. In this conservative setting Merab finds himself having to break free and risk it all.
0
A young boy must discover the origins of his extraordinary powers before he is captured by authorities hell-bent on condemning him for an accidental murder.
-2
She Inherited a Hotel and Bunch of Troubles
-1
Frances Ferguson, the eponymous character at the center of Bob Byington’s new film, is discontent. Like a lot of us, she does a bit of “acting out” and pays the price —an arrest, a trial, incarceration. And then a new identity, one that’s not terribly comfortable. Nick Offerman narrates this deviant comedy, based on actual events.
0
The story of Nobel Prize winner Marie Curie and her extraordinary scientific discoveries—through the prism of her marriage to husband Pierre—and the seismic and transformative effects their discovery of radium had on the 20th century.
3
A suicidal man and a deadly assassin encounter the world of immortality in this black-comedy suspense thriller.
-3
Claire, a romantically spurned 50-year-old divorced teacher, creates a fake Facebook profile of a 24-year-old woman to spy on her on-and-off lover.
1
Lauren and Ned are engaged, they are in love, and they have just ten days to find Lauren’s mother who has gone AWOL somewhere in the remote far north of Australia, reunite her parents and pull off their dream wedding.
1
A coming of age story of a boy and girl growing up in London in the noughties, dealing with the everyday insecurities that make your world implode at sixteen.
-2
Medical doctors and mental health professionals go on camera, on the record, for the record, for a discussion, analysis, and science-based examination of the behavior, psyche, condition, and stability of President Donald Trump. Also examines Trump's effect on our citizenry, culture, and institutions.
3
A former covert assassin seeks redemption by hunting the people responsible for his sinful past.
-1
Jimmy meets Anu on an online dating website and decides to marry her. Jimmy's mother entrusts his cousin Kevin to get details about Anu. Now it's Kevin's turn to search for his cousin's fiancee who vanished without a trace, only to discover dark, shocking truths about her.
-2
A gritty realistic story about a young film school student from middle-class India who's forced to drop out to support his family while staying in the United States as an undocumented worker.
0
Hollywood actor Ray Winstone takes a trip around Sicily with some old friends, soaking up the island's multicultural history, ancient culture and colourful inhabitants. This Grand Tour covers pretty much all of the island - from the top of Mount Etna, a live volcano, to the palace of a Duchess in Palermo; from the Godfather's palace to Agrigento's Valley of the Temples and on to a cruise around the Aeolian Islands.
3
A look at the life of photographer Robert Mapplethorpe from his rise to fame in the 1970s to his untimely death in 1989.
-1
In feudal Japan, half-demon twins Towa and Setsuna are separated from each other during a forest fire. While desperately searching for her younger sister, Towa wanders into a mysterious tunnel that sends her into present-day Japan, where she is found and raised by Kagome Higurashi’s brother, Sota, and his family. Ten years later, the tunnel that connects the two eras has reopened, allowing Towa to be reunited with Setsuna, who is now a demon slayer working for Kohaku. But to Towa’s shock, Setsuna appears to have lost all memories of her older sister
-5
A doctor finds an unconscious, young woman on a remote island in the North Atlantic. The mystery of the woman’s identity, how she got there, and her ever-increasing psychic abilities, ignite a violent international race to find her — with terrifying results.
-2
I, Pastafari is a documentary film about the world's fastest growing religion: The Church of The Flying Spaghetti Monster. R'Amen.
0
Having been saved by Emperor Dong Hua from a vicious monster attack, Princess of Qingqiu, Bai Fengjiu becomes immensely indebted to him. To repay him, Fengjiu follows Donghua around on his adventures to eliminate evil but unwittingly realizes that her feelings of gratitude towards him has turned to romantic. However, after a hundred thousand years of fighting evil, Donghua has long forgotten the meaning of “love". To protect Fengjiu, Dong Hua sends her to the human world but accidentally causes the death of Fengjiu’s friend. Fengjiu enters the dream of Ah Lan Ruo to search for the fruit that will be able to resurrect her friend. However, Fengjiu ends up getting trapped in the dream. Dong Hua comes to rescue, and realizes he has fallen in love with Fengjiu…
-2
War. Soldier JACK deserts his unit and finds his wife Eva in isolated village in the mountains. She moved there to work in a factory unaware of the cruel owner BAR. Secret police arrives and it seems both Jack and Eva's time is up.
-2
A U.S. soccer star suffers a career-threatening injury in the run-up to the World Cup, and during his recovery, embarks on an epic romance with a Russian single mom.
-1
It’s Christmas and the charming city of York, home to Jules, 16 and her Dad, David is decked out ready for the festive season. In many ways, David and Jules’ relationship is no different from that of most fathers and their sixteen-year-old daughters. He struggles to understand her, she refuses to communicate with him. He wants to be involved in her life, she wants her own space. In one important respect, however, David and Jules share a profound bond: the death of Jules’ mum, and David’s wife, in a car crash two years before. With both struggling to cope with everyday life in the shadow of their loss, Jules, inspired by happy memories of her mum, decides to take matters into her own hands.
1
Nedumaaran Rajangam "Maara" sets out to make the common man fly and in the process takes on the world's most capital intensive industry and several enemies who stand in his way.
-1
Isabelle, a geneticist recovering from a toxic marriage, is raising her only daughter, Zoe, with her contentious ex-husband. Zoe means everything to her mother and so when tragedy strikes the fractured family, Isabelle travels to Russia in seeking the help of a world-renowned fertility physician who Isabelle believes can help bring back her little girl.
-4
A big-game hunter for zoos books passage on a Greek shipping freighter with a fresh haul of exotic and deadly animals from the Amazon, including a rare white Jaguar – along with a political assassin being extradited to the U.S in secret. Two days into the journey, the assassin escapes and releases the captive animals, throwing the ship into chaos.
-3
Kuba's sister falls seriously ill. In order to gather the required money for treatment he starts taking part in illegal car races.
-2
Chiara Ferragni, the first fashion influencer in the world, reveals how the digital revolution has changes business world, communication, fashion, culture, through a portrait in which she's the protagonist, both as a woman and as digital entrepreneur.
0
When new college graduate Nicolette takes a summer job babysitting the sheltered teen Chloe, the two must overcome a wide personality gap to take on a daring summer adventure that could fulfill both their biggest dreams.
1
Inspired by true events, the film follows OJ Simpson's ex-wife Nicole Brown Simpson in the last days before her tragic death on June 12th 1994, as seen from her point of view.
-2
Aftershow for the show "The Boys" featuring members of the cast, creative team and other special guests.
1
A proof-reader named Nisha begins dating a cinematographer called Arjun, unknowing of his devious plans for her.
-1
Lee Ahn has the ability to read a person's secrets as soon as he touches them. He meets a woman who has secrets that she desperately tries to hide. The two team up to bring down criminals.
-2
The story of a child star attempting to mend his relationship with his law-breaking, alcohol-abusing father over the course of a decade, loosely based on Shia LaBeouf’s life.
0
In Jamie: Keep Cooking and Carry On Jamie will show viewers how to make the most from kitchen staples and how to be creative with whatever ingredients they’ve got at home, and whatever their budget. From ingenious ideas for frozen food, to recipes drawn entirely from the store-cupboard, Jamie will be on hand to show home cooks how to make nutritious and delicious food using simple ingredients.
2
A coming-of-age story based on the lives of street rappers in Mumbai.
0
Join Alistar Parsons and Rafflesia in their haunted mansion as the experience some of the greatest movies public domain has to offer. In the vein of Elvira, and Morgus the Magnificent, Spoopy Movie time is an event not to be missed!!
1
Victor and Raya Frenkel were the golden voices of the Soviet film dubbing for decades. All the western movies that reached Soviet screens were dubbed by them. In 1990, with the collapse of Soviet Union, the Frenkels decided to do Aliyah - immigrate to Israel, just like hundreds of thousands of Soviet Jews. There's no need in Israel for Russian speaking dubbing artists, and Victor's and Raya's attempts to use their talent will cause bizarre and unexpected events during their first months in Israel, and turn the beginning of the new chapter of their life into an amusing, painful, and absurd experience.
-1
Examines the often overlooked, yet insidious issue of voter suppression in the United States in anticipation of the 2020 presidential election. With the perspective and expertise of Stacey Abrams, the former Minority Leader of the Georgia House of Representatives, the film offers an insider’s look into laws and barriers to voting that most people don’t even know is a threat to their basic rights as citizens of the United States.
-3
After receiving a cryptic letter from his estranged father, Norval travels to his dad’s oceanfront home for what he hopes will be a positive experience. If only he’d known the dark truth about his old man beforehand.
-1
Inspired by the 2005 riots in Paris, Stéphane, a recent transplant to the impoverished suburb of Montfermeil, joins the local anti-crime squad. Working alongside his unscrupulous colleagues Chris and Gwada, Stéphane struggles to maintain order amidst the mounting tensions between local gangs. When an arrest turns unexpectedly violent, the three officers must reckon with the aftermath and keep the neighborhood from spiraling out of control.
-6
A young woman's dream of leaving Africa hoping for a better life is shattered on the eve of her departure when her mother and sister and brutally murdered. With nothing else to lose, what begins as a search for the truth quickly turns into violence and uncanny exposés. In a world full of lies and deception, can she get the answers she is looking for.
-3
Film about the events surrounding the terrorist attacks in Copenhagen on February 14th and 15th 2015.
-1
Borealis is a unique cinematic documentary that goes deep into Canada's iconic snow forest to understand how black spruce and birch experience life, talk to each other and decide when the time is right to burn themselves down.
0
John Rotit is a happy, content man with a loving wife. Hours later, he's a rock star shooting up heroin. And after that...he's something far more sinister. John unwillingly flashes between three parallel lives in which he knowingly exists in each. He has no clue how or why this phenomenon is occurring, only that he wants it to stop. John's judgment becomes clouded as he'll do anything he can to end his flashes and remain in the one life where he's truly happy.
1
The chilling true story of a newly married FBI poster boy assigned to an Appalachian mountain town in Kentucky. There he is drawn into an illicit affair with an impoverished local woman who becomes his star informant. She sees in him her means of escape; instead, it's a ticket to disaster for both of them.
-3
A young man, Jason, decides to go to a remote village in Asia to meet Kate, whom he has been chatting with online for a while. But he becomes increasingly disturbed as he starts to find out Kate's secrets.
-1
A transgender teenage girl on summer vacation in LA fights to survive after she falls in with four queer feminist vampires, who try to rid the city's streets of predatory men.
-3
In 2039, jails have been turned into online portals where the public gets to choose what prisoners eat, wear, watch and who they fight. So successful is Panopticon TV, it is about to be rolled out to a whole town, providing subscribers even more choice.
0
Twenty Nine years after the events of Iron Sky, the former Nazi Moonbase has become the last refuge of mankind. Earth was devastated by a nuclear war, but buried deep under the wasteland lies a power that could save the last of humanity - or destroy it once and for all. An old enemy leads our heroes on an adventure into the Hollow Earth. To save humanity, they must fight the Vril, an ancient shapeshifting reptilian race and their army of dinosaurs.
-3
With divorced parents, Julia, Miguel and Bia got used to spending Christmas with an incomplete family. After an unplanned task, they decide to surprise their parents with a Christmas dinner - and thus, bring them closer together.
-1
Two working class couples go on a day trip to Brighton which ends in disaster.
-1
Rookie CIA field operative Isabel Alfaro works alongside infamous CIA legend Wayne Addison to bring down Rafael Bautista, Mexico's most vicious and brilliant narco. Her mission brings her into conflict with Eduardo Yzaguirre, her former boyfriend and the current Mayor of Mexico City, the cleanest and most inspirational politician in the country.
1
In the late 1800s, legendary marshal Bass Reeves sets out on the trail of notorious outlaw Bob Dozier.
-1
A mysterious virus has wiped out much of the world's population, with the remaining sick being corralled in quarantine zones, as one man fights to find a cure to save humanity, and himself.
-2
A free-spirited girl gets the shock of her life when she finds herself naked in an abandoned building after a late-night party.
-1
Jenna agrees to a sexy weekend fling with her materialistic girlfriend Kate and the worldly Mia, but as the night unfolds, Jenna notices strange details about each of them, as the love triangle starts to crack.
0
The story of how a tiny, broke Silicon Valley startup slew giants of the movie rental world, warded off Amazon and forced movie making and distribution into the digital age.
-1
Red, a safe cracker who has just been released from prison, is trying to hold his family together as his past catches up with him in the form of Luc, a psychopathic contract killer who's seeking revenge for the death of his brother.
-3
Citizen K follows the Kafkaesque story of Moshe Kastel, who was convicted of murdering his best friend. New evidence is discovered, 19 years later, indicates that the real murderer is still free.
1
James is your average 20-something, aspiring career-creative; working a job he hates in order to keep himself afloat while he pursues his dream of becoming a writer.
-1
On the 10th anniversary of his dad’s death, Joris still tries to come to terms with his father’s absence when he meets the free-spirited Yad, who returns back home to his family after living on his own. Although very different, there is an instant spark between the two and they want to be more than “just friends”, but both have issues with their mothers that threaten to jeopardise their relationship.
-4
The 47-year old Al Capone, after 10 years in prison, starts suffering from dementia and comes to be haunted by his violent past.
-3
Diagnosed with a mental illness halfway through his senior year of high school, a witty, introspective teen struggles to keep it a secret while falling in love with a brilliant classmate who inspires him to open his heart and not be defined by his condition.
0
Ex heroin junkie, Daniel Léger, gets involved in a drug deal with the wrong people for the wrong reasons. When the deal goes sour, Daniel gets thrown into a Thai prison and slapped with a 100-year sentence. While he tries to survive his Bangkok incarceration, the news of his conviction captures the attention of Globe and Mail journalist Victor Malarek, who decides to go after the shady undercover cops responsible for wrongly accusing Daniel.
-7
A woman's mental state deteriorates as she isolates herself during an epidemic.
-1
A courier in London discovers that one of the packages she's transporting is a bomb.
-1
Animals band together to save the day when the evil Otto Von Walrus hatches a sinister scheme to accelerate global warming and melt the Arctic Circle.
-2
When unlikely neighbors are trapped in an elevator with a coronavirus suspect, fear and racism spread among them faster than the virus.
-5
A reformed hunter becomes involved in a deadly game of cat and mouse when he and the local sheriff set out to track a vicious killer who may have kidnapped his daughter years ago.
-2
This satirical anthology tells the surreal stories of a gift for Don Horacio, a trip to the beach for Bermejo, a life-changing relationship between Tina and the young immigrant Ayoub, and a new client for a company that specializes in excuses.
-1
A 30-something urbanite is pulled back to his rural hometown by his high school buddies on Thanksgiving to finish The Turkey Bowl - an epic football game against their cross town rivals that was snowed out fifteen years prior.
-1
A successful writer asks his ex, who left him, to climb one last time in the mountains together. Only then he can really let her go.
1
In 1944, a courageous group of Russian soldiers managed to escape from German captivity in a half-destroyed legendary T-34 tank. Those were the times of unforgettable bravery, fierce fighting, unbreakable love, and legendary miracles.
5
In Victorian-Era England, a Parish Councillor and criminal take refuge from a storm, at a remote countryside Inn. Forced to stay the night, they soon uncover a deadly pact between the strange Innkeepers and the flesh-hungry werewolves that inhabit the surrounding woodlands... now, as the werewolves close in, the guests must band together and fight tooth and nail to survive the night!
-3
Children are left at grandma's house without their smartphones. Real life seems rather boring until they find instructions for the Kratt - a magical creature who will do whatever its master says. All they have to do now, is to buy a soul from the devil.
0
Anne Walberg is a celebrity in the world of perfume.  She creates fragrances and sells her incredible talent to companies of all kinds.  She lives as a diva, selfish, with a strong temper.  Guillaume is her new driver and the only one who is not afraid to stand up to her.  No doubt this is the reason why she does not fire him.
-1
A hardened mechanic must stay awake and maintain an interstellar ark fleeing the dying planet Earth with a few thousand lucky souls on board... the last of humanity. Unfortunately, humans are not the only passengers. A shapeshifting alien creature has taken residence, its only goal is to kill as many people as possible. The crew must think quickly to stop this menace before it destroys mankind.
-5
A teenager stands trial for murdering her best friend.
1
A hotel room shootout between two assassins kicks off a long night where bodies fall like dominoes, as we follow a chain of crooked cops, gangsters, hitmen, a femme Fatale and an ex-mercenary through a relay of murder, betrayal, revenge and redemption.
-5
The film delves into the aspirations and values of today's youth, who would go to any length to achieve their dreams. As the saying goes, the greatest journey is the one within.
2
A young woman fights to protect her son from her abusive new husband and a ferocious creature lurking in the shadows.
-1
The Man In The Hat sets off from Marseilles in a small Fiat 500. On the seat beside him is a framed photograph of an unknown woman. Behind him is a 2CV into which is squeezed Five Bald Men. Why are they chasing him? And how can he shake them off? As he travels North through France, he encounters razeteurs, women with stories to tell, bullfights, plenty of delicious food, a damp man, mechanics, nuns, a convention of Chrystallographers and much more, coming face to face with the vivid eccentricities of an old country.
-1
When terrorists try to seize control of a Berlin-Paris flight, a soft-spoken American co-pilot struggles to save the lives of the passengers and crew while forging a surprising connection with one of the hijackers.
-1
Chris Porter discusses everything from hipsters ruining food, to being a man, to playing beer pong with celebrities, in his 3rd one hour special. No politics. No religion. No racism. Just a man from Kansas...Live in Colorado.
-2
A celebrated Bollywood director Rohan Khurana stands accused by a female member of his crew, Anjali Dangle of having raped her at his residence.
0
Joy is the new maid of a royal house, whose previous maid disappeared under mysterious circumstances and is now haunting and terrorizing the family. Joy works to uncover the reason behind the former maid’s disappearance.
1
In a violent, alternate reality of New York City besieged by race riots, financial collapse, and a surging crime wave , an underworld economy of illegal nightclubs is thriving. Detective Santiago is tasked to crack down on these clubs. When he meets his new partner, Everett More, Santiago discovers there are numerous government agencies and crime organizations circling NYC and vying for control.
-5
Two thieves attempt to steal 80 million dollars of hidden Texas drug money from the famed ranch belonging to a dead member of the Cowboy Mafia.
-1
Deni Maroon, a musician and dock worker is determined to pull off a music festival against the interests of the local factory owner.
0
Muckraking filmmaker Morgan Spurlock reignites his battle with the food industry — this time from behind the register — as he opens his own fast food restaurant.
1
A man does everything in his power to keep ownership of a seaside cottage he built with his late wife.
0
Devil's Whisper is a supernatural horror film about demonic possession but at its core it's a psychological thriller about repressed memories, childhood trauma and the cycle of abuse.
-4
During the harrows of WWII, Jo, a young shepherd along with the help of the widow Horcada, helps to smuggle Jewish children across the border from southern France into Spain.
-1
Seizaki Zen is a prosecutor with the Tokyo District Public Prosecutors' Office. While investigating illegal acts by a certain pharmaceutical company, Seizaki stumbles across a conspiracy over an election for an autonomous "new zone" established in western Tokyo.
-2
Four American soldiers in WW2, after witnessing the vicious murder of an innocent civilian at the hands of their platoon Sergeant, are sent on a reconnaissance/suicide mission led by a local partisan.
-2
A scientist discovers the bodies of three frozen genetically modified Russians buried in the Canadian North. Upon thawing them out he realizes he has unleashed a deadly threat to Western society and must stop them at all costs.
-3
When a mysterious "John Doe" wakes up in a morgue and wanders into a psychiatric ward, a devoted doctor and curious medical examiner must slowly uncover dark and sinister secrets about the man that reveal a more horrifying truth than they could have ever imagined.
-5
When Anna Wyncomb is introduced to an underground, all-female fight club in order to turn the mess of her life around, she discovers she is much more personally connected to the history of the club than she could ever imagine.
-1
A Chicago lawyer embraces his undying faith when his teenage son is accused of murdering a classmate.
1
When Auna Rue transfers to a prestigious new acting school, she encounters a malevolent spirit after participating in a viral challenge.
-1
A journey through The Army's criminal justice system seen through the lens of controversial case of Clint Lorance.
-2
Xander is a witch whose abuse of black magic has led him to disaster after disaster. After trying to go clean of witchcraft, Xander befriends a young loner, helping Roland with bullies, girlfriends, and other teenage atrocities.
-2
A struggling street photographer, pressured to marry by his grandmother, convinces a shy stranger to pose as his fiancée. The pair develops a connection that transforms them in ways that they could not expect.
-2
Nour is a pleasant and funny person who works as an accountant at a fitness center in Paris. Everybody likes her, but she has no luck in her romantic endeavours because she is overweight with atypical looks. Her close friends try to give her advice, but they are not particularly successful in the love department either. Her mother and brother are also close, but they are of no help, rather the contrary. One day she witnesses a pole dancing class at her workplace, something that she would never dream of doing herself, but she sees how much the women in the class and their teacher are enjoying themselves, so she is tempted. Finally the teacher starts giving her private lessons since she is too ashamed of her body to do anything in public. Slowly but surely she gains confidence in herself and many things change in her life.
6
Julian has always admired his grandfather's power. He grows up with his best friend, Felipe Molina, and a group of boys destined to live with all the advantages of a privileged class. But violence and a mafia mentality transform society, including the habits of Julian and his friends. His games with weapons, seemingly harmless amusements, become a collective nightmare.
3
Annie is an ambitious young writer who visits her affluent, married, friend, Kim at the home she shares with her husband and young son. As Annie works on her writing in this informal retreat, she becomes increasingly inspired and intrigued by Kim’s charismatic charm and seemingly fluid sexuality.
4
Nandhini, a law student who is caught in a precarious situation, fights for justice for a gruesome crime involving herself.
-3
This is a tale of how the angel of life was confronted by the angel of death. Set in Auschwitz Birkenau, 1944.
1
After her brother goes missing, a young psychologist visits an infamous haunted and cursed location known as 'Howling Village' to investigate his disappearance and uncover her family's dark history.
-3
In need of creative inspiration, a professionally stagnant and hard-partying Los Angeles artist recklessly indulges in a series of drug binges. As the narcotics fly out of control, so does her newfound and inexplicable, yet unquenchable, craving for blood.
0
A down and out cop lands the case of a lifetime when four suspects are nabbed in the assassination attempt of a prime time journalist. The case turns out to be a devious maze where nothing is what it looks like. The pursuit of it leads him to the dark netherworld - the 'Paatal Lok', and to shocking discoveries in the past of the four suspects.
-3
Afghanistan, 2016. Sikandar and Shab are final-year art students at Kabul University, both with a thirst for life. Amidst the ruins of war-torn Kabul, the couple and their friends spot an abandoned cinema, which miraculously survived 30 years of war. As an act of resistance against the looming return of fundamentalism, a bold dream is enacted and renovation work on the cinema begins. Serious problems soon arise: the withdrawal of powerful family support, the targeting of Shab by her extremist brother, an auto accident and a calamitous fire. Undaunted, Sikandar continues to pursue the dream.
-2
English football's 'fallen giant', Leeds United, starts a journey to win promotion back to the Premier League. New owner Andrea Radrizzani has recruited a world-class head coach, Marcelo Bielsa, to lead the team back to the promised land.
4
Buenos Aires, Argentina. A luxurious van is parked on the sidewalk. A man enters with the purpose of stealing whatever he can find, but when he wants to leave, he cannot. The doors do not open, the control panel does not respond: the van has become an armored box and he is trapped like a mouse.
0
In a collection of intimate interviews with some of America's most provocative black conservative thinkers, Uncle Tom takes a unique look at being black in America. Featuring media personalities, ministers, civil rights activists, veterans, and a self-employed plumber, the film explores their personal journeys of navigating the world as one of America's most misunderstood political and cultural groups: The American Black Conservative. In this eye-opening film from Director Justin Malone and Executive Producer Larry Elder, Uncle Tom examines self-empowerment, individualism and rejecting the victim narrative. Uncle Tom shows us a different perspective of American History from this often ignored and ridiculed group.
-3
As Middleview High School's woeful boys basketball team prepares for another certain loss, several unusual dramas take shape around its periphery.
-3
A ruthless moneylender must tackle a wicked man's plan to outsmart his way out of the debt to achieve what's rightfully his.
-1
Filmmaker Jason Baffa examines the personal bonds and dynamic relationships that form between golfers and caddies.
1
Chronofilm, one of the hottest reality shows on television showing off your history books like it's never been taught. Follow a group of historians as they travel back in time to film recreations with the sole mission of just recording history as it actually happened, but never interfering.
2
After surviving a shark attack, a young woman is plagued by nightmares of being stalked in the dark sea by a ravenous predator, and by hallucinations of visits from her sister and boyfriend, both whom were killed in the attack.
-7
A gang of thieves plan a heist during a hurricane and encounter trouble when a disgraced cop tries to force everyone in the building to evacuate.
-2
A rabid film fan stalks his favorite action hero and destroys the star's life.
1
In a small coastal town Bigfoot is sighted, and children go missing. The towns Police Chief is fired, leaving only the Sheriff. When the Sheriff goes missing, the towns only hope is in Chief Harrison to battle the beast.
0
A gorgeous, French multi-millionaire comes to Montana to do a deal and photoshoot with a major cosmetics company and meets the woman of his dreams - the beautiful Art Director on his shoot. When the two jet off to Paris on a whirlwind Christmas adventure, they each think that their happiness could last forever. But in the middle of their magical Parisian getaway, she discovers a secret about him that could push them apart forever.
4
The story of how the Guardia Civil, a militarized police force, fought for nearly half a century against ETA, a ruthless terrorist gang dedicated to murder, kidnapping, extortion and arms and drug smuggling while cynically demanding independence for the Basque Country in northern Spain.
-2
Lt. Wakes is a vengeful police detective determined to solve the murders of his partner and an informant, and joins forces with a witness injured during the shootings. After the killers pursue the witness across the abandoned floor of a hospital, she confirms Wakes's worst fears.
-5
A rescue unit within the Chinese Coast Guard are forced to overcome their personal differences to resolve a crisis.
-1
Trainee policeman, 'Sung-min' and job seeker, 'Jun-hyeok' were suspicious about a suicide incident of a girl who lived in the same dormitory, and they will be tracking her SNS account with the help of a private detective agency hacker, 'Nu-ri'.  The investigation which started out of chivalry leads to uncontrollable consequences. These three people, Jun-hyeok, Sung-min, and Nu-ri become targets of SNS crime.
-1
Ever since she served on the jury during his trial, Nora has been convinced that Jacques Viguier is innocent, despite him being accused of murdering his wife. Following an appeal by the public prosecutor’s office, and fearing a miscarriage of justice, she convinces a leading lawyer to defend him during his second trial, on appeal. Together, they will put up a tenacious fight against injustice.
3
Under a code of ABSOLUTE DISCRETION, guests are invited into the House of the Latitude, a place where truth and fiction are indistinguishable.
-2
A renowned health supplement company, run by a ruthless businesswoman, is selecting and abducting young women as part of an experiment bio-hacking babies’ DNA to enable her clients to reverse the aging process. When Mia goes to investigate, she finds herself trapped, branded and tortured in a grim underground facility. Familiar faces start to appear, and she realises that she is not alone in this. Can she somehow find inner strength and escape from the nightmare?
-4
Amanda is the assistant to a famous photographer. Her boss receives an invitation to photograph the Christmas festivities in the kingdom of Pantrea and Amanda goes posing as her. She will soon fall for Prince Leopold, despite not being a royalty.
0
This is a story of a young man named Kenny Stanford who had dreams of being an Successful artist in the music industry, but these dreams were cut short due to senseless street violence. His older brother Libaraiers Stanford lived by the laws of Money, Power and Respect. Due to the death of his brother, Libaraiers found himself on a new unlikely journey as a rap artist. He soon discovered that he possessed raw talent. This raw talent and his natural street persona birthed his rap name Rilla.
1
A year after the murder of her sister Zoë, Echo is determined to uncover the truth. With Zoë's diary as her guide, Echo finds herself pulled into the darkness of her sister's secret life and she uncovers how one small decision can lead to tragic consequences.
-2
A young, happy guy receives a call from an unknown woman who claims to be in danger. A new take on the classic love triangle, Triple Seat brings to you a light-hearted story about wireless love.
3
After a deadly virus wipes out most of humanity, the survivors are forced to wait alone in self-sustaining bunkers while the viral threat runs its course. Able to communicate through a networked video interface, the survivors wait for years and slowly become a motley family of sorts. But their fragile social ecosystem is shattered when, one by one, they start mysteriously disappearing from their bunkers.
-5
The stoic chronicles of Castor, orphaned as a child, forced to survive in the wild and his colorful journey through the criminal underworld of London.
-1
A comedian goes away for the weekend with an ex-boyfriend and his new girlfriend.
0
David is a successful city trader in London who is relentlessly focused on work. Beneath the confident facade, he is trapped by memories of the past and hostile to anyone who dares to help. Flashbacks reveal a childhood in South Africa at the mercy of an inadequate bully of a father Donald and an ineffectual mother Joanne. The physical and sexual abuse he suffered threatens any chance of happiness he might have now.
-3
The psychic suspense story revolves around people who possess the ability to infiltrate people's minds and manipulate memories. Their powers have been used in the underworld for covering up incidents, assassinations, and other deeds. These powers can not only destroy other people's spirits, but also corrupt the users' own hearts at the same time. The users had to protect their fragile and insecure hearts, as if chained to each other. They are called "pets" out of fear and despising.
-5
A man and woman begin a complex affair over 72 hours in a Las Vegas penthouse, where the repercussions of actions uncover layers, and neither life will ever be the same again.
-1
Two life long friends, Hannah, a former reality starlet, and her conscious cuddling best friend, Brooklyn, road trip to San Diego to meet a high school crush and attend Comic Con. When things don't go as planned, their trip turns into a night of chaos, debauchery, and ultimately tests the deepest bonds of their friendship.
-2
Raised in a decaying old Pennsylvania mansion and home schooled by their tyrannical professor father, Josie and Jack Raeburn have never had anyone but each other to depend on. Set in the 1990s.
-1
After committing a series of multiple murders, a neurologist visits an incarcerated killer, living in exile. She studies him and his brain and discovers the horror that lurks behind his violent impulses.
-4
After becoming injected with a formula derived from an alien ship, a lab gorilla escapes from his containment and befriends two young boys.  The alien formula causes the gorilla to grow to gargantuan size and rampage throughout the city and the boys must find a way to save their simian friend before the army takes him down.
-1
A straight-edged teacher finds trouble when an honors student is willing to do anything to get an A.
1
All he wanted to do was spread his father's ashes in the national park - mayhem ensues.
0
Oklahoma to California: 2600 kms, 420 dollars, 30 days, 5 bikes, 3 cameras, 2 guitars and one of the most influential novels of the 20th century — The Bikes of Wrath is the story of adventure, human connection, and an in-depth look at today’s America through the lens of John Steinbeck’s seminal novel, ‘The Grapes of Wrath’.
-1
Four aging superheroes in a retirement home in Ireland come together for one last hurrah.
0
This is the story of a first date gone wrong.
-1
Four small-town boys are kidnapped by James Whitley, a warm-eyed psychopath. His grotesque pursuit to reunite orphaned children with their deceased birth parents is halted when the boys escape and he is arrested. Fifteen years later Whitley flees during a prison fire and decides to see his mission through. Detective Larson, once Whitley's prior victim, is removed from the case due to impartiality leaving his partner, and lover, Detective Shotwell to solve the case. Fueled by rage and a chance of redemption, Detective Larson chases the steadfast psychopath on his own only to fall back into the same trap he once escaped as a child.
-2

0
A struggling actress self-quarantines at home to weather a global pandemic. Something joins her.
-1
Summer of 1945. A temporary orphanage is established in an abandoned palace surrounded by forests for the eight children liberated from the Gross-Rosen camp. Hanka, also a former inmate, becomes their guardian. After the atrocities of the camp, the protagonists slowly begin to regain what is left of their childhood but the horror returns quickly. Camp Alsatians roam the forests around. Released by the SS earlier on, they have gone feral and are starving. Looking for food they besiege the palace. The children are terrified and their camp survival instinct is triggered.
-2
The story of Wei Xiaobao, a little man born at the bottom of society. He entered the imperial palace by chance without knowing any martial arts, and used his extraordinary wisdom to deal with gangs and court issues. He pretended to be a eunuch to help Kangxi capture and kill Obai. Then he met Chen Jinnan, and became his closed disciple. He assisted Kangxi in attacking his enemies.  Wei Xiaobao grew up from a gangster who only wanted to make friends with the emperor in exchange for a rich and noble life, and grew up into a "deer prince" who discerns loyalty and evil. He meets many different women and lived a flowery family life full of fireworks
0
After years of silence, Ted Bundy’s long-term girlfriend Elizabeth Kendall, her daughter Molly, and other survivors come forward for the first time in a docuseries that reframes Bundy’s crimes from a female perspective. The series reveals how Bundy’s pathological hatred of women collided with the culture wars and the feminist movement of the 1970s in one of the most infamous crime stories of our time.
-3
A documentary following Iliza Shlesinger behind-the-scenes as she prepares for her fourth special: Elder Millennial.
0
Set in 1945, in Pre-Independent India, the elite, opulent and solemn world of the Chaudhry family, and the wild, mysterious and musical underbelly of the town, Hira Mandi, clash when Roop Chaudhry encounters Zafar, a daredevil from Hira Mandi, unleashing deep-buried truths, secrets of betrayal and affairs that threaten to bring both worlds crashing down.
-5
The adventures of Phungus a yellow alien from a xenophobic planet, Mowld a human always on some shady "mission", and ALIS, their hacked imperial robot in a spaceship with a Framistan Drive considered extremely unstable and unreliable.
-3
A police officer is on a chase to hunt down a dreaded gangster to fulfill his own secret agenda.
-1
Since his arrival at Buckingham palace, Rex lives a life of luxury. Top dog, he has superseded his three fellow Corgis in Her Majesty’s heart. His arrogance can be quite irritating. When he causes a diplomatic incident during an official dinner with the President of the United States, he falls into disgrace. Betrayed by one of his peers, Rex becomes a stray dog in the streets of London. How can he redeem himself? In love, he will find the resources to surpass himself in the face of great danger…
4
A bride-to-be is taken to a woodland cabin for a bachelorette party, but the fun stops when an uninvited party starts cutting down the guest list.
1
After a series of disturbing supernatural events in his home, Joel, a young single father, comes to suspect that his young son may be possessed.
-2
After the loss of their mother, 17-year-old Dylan, his two sisters, and father are forced to move back to the small town where their parents met and grew up. While getting back on their feet, the family stays with their eccentric Aunt Norah and tries to adjust to a new life. They meet a quirky neighborhood kid, Pete, who convinces them to embark on a "bucket-list" type adventure inspired by a list found in their Dad's high school storage boxes. The task is not as easy as it seems and ultimately teaches everyone about managing grief, moving forward, and the importance of family.
-2
A home invasion horror movie in the vein of You're Next and The Purge, about a group of people under siege by masked intruders in an abandoned hotel.
-1
A funny and irresistible story of a young girl who literally cannot see or hear her mother, even though she is living with her under the same roof. With the help of an eccentric psychiatrist, and a local, accidental hero, our heroine has to grow up, but falls in love and eventually takes hold of her future - despite not being able to see what's right in front of her.
1
A city councillor hijacks a documentary team and takes them on a wild and dangerous ride into his ruthless world of corruption.
-4
A woman suffering from schizophrenia is taken against her will by a mad doctor. As she is subjected to insane experiments by the doctor she loses her final grip on reality.
-5
Story of Rani Lakshmibai, one of the leading figures of the Indian Rebellion of 1857 and her resistance to the British Rule.
0
Three young men with disabilities embark on a road trip to a brothel in Montreal catering to people with special needs to lose their virginity and embrace their independence. Inspired by a true story and remake of the Belgian film Hasta La Vista
-1
Share the laughter, the tears, the gasps, and the salty language that you've come to know and love. Stare into the abyss one more time until the next time and see what makes David Cross one of the top 400 comics in America today.
0
An escaped buffalo triggers a frenzy of ecstatic violence in a remote village.
0
Ram is one among the five orphaned boys in Visakhapatnam, adopted by a doctor who ensures them a roof to live under, with dignity. Ram goes to any extent to protect his family and he's a handful for the baddie to handle in a time of crisis. How does Ram protect his family when they need him the most?
2
A small-town couple finds the perfect apartment in the big city, except there's one catch: the apartment is home to the ritualistic suicides of a deranged cult.
0
Paris, June 1940. The de Gaulle couple is confronted with the military and political collapse of France. Charles de Gaulle joins London while Yvonne, his wife, finds herself with her three children on the road of the exodus.
-1
An established actor decides to get back at the ones responsible for initiating a smear campaign against him in the digital space.
-1
Devastated by the First World War and plunged into political controversy, Romania's every hope accompanies its queen on her mission to Paris to lobby for international recognition of its great unification at the 1919 peace talks.
0
Strange, unexplained events unfold at an old factory. Two security guards must come to terms with reality: Tiffany as a future mother, and Joey who is secretly in love with her. But someone has other plans for both as well as Tiffany’s unborn child.
0
Kid campers fight to survive when their canoe capsizes.
0
Nand is among the rush of men who pursue Shanu, the new English teacher in Meerut. When he discovers her supposed alter-ego, the sex-obsessed spirit of Rasbhari, their relationship takes a new turn. A now-matured Nand takes on the responsibility of saving Shanu from the ongoing witch hunt by the town's women, initiated by his own mother Pushpa.
0
A boy separated from his mother who has moved to the U.S. for a better life, is set to be Jamaica's next track-and-field sensation.
2
Faith, love and civil rights collide on voting day in a small Southern town that hosts a famous performance of the last days of Christ and an infamous gospel drag show.
2
James Allen "Laurence O'Fuarain" is a successful, controlling, thirty-something banker living alone and working in Dublin city at the tail-end of the recession. When a family tragedy occurs at the hands of his employer he decides to take action which forces him to face a terrible childhood secret. Meanwhile, his mysterious co-worker Alison "IFTA - nominated - Sarah Carroll" has her own agenda, which puts her on a collision course with James, triggering a dark spiral of deceit, revenge, and murder. Director Alan Mulligan's first feature is a deliberate and slow-paced look at modern day greed and desire, and society's ever-growing need for control.
-7
Billy Hill and Jack 'Spot' Comer were among the most notorious criminals in London up until the 1950s. Dramatising the violent reign of two of London's most notorious gangsters, Billy Hill (Leo Gregory) and Jack 'Spot' Comer (Terry Stone), ONCE UPON A TIME IN LONDON charts the legendary rise and fall of a nationwide criminal empire that lasted until the mid-fifties and which paved the way for the notorious Kray Twins and The Richardsons. This is the story of their rise and fall.
-8
Following a gunfight with suspects believed to be innocent by the media and public, an honest cop struggles to justify police actions before beginning the hunt for fugitives.
-2
Lex Cordova is a young woman who counsels terminally ill clients that have trouble letting go. While proving uniquely talented in her ability to connect with the dying, Lex is at a total loss when it comes to dealing with everyone else. When Valerie, a sharp-tongued free spirit who simply has no time for her own mortality, refuses to play by Lex's rules, Lex is forced to question her own decisions, and must decide if the business of dying is truly worth it... even at the cost of living her life.
-1
Towards the end of the Tang Dynasty, Zhu Wen usurped the throne and established the Liang Kingdom. A boy from the wild accidentally falls off a cliff while being pursued for saving wolf pups. He is rescued by Zhu Wen who adopts him as a son, and is renamed Zhu Youwen.

Ten years later, the young boy has been conferred the title Prince of Bo and he meets and falls in love with Zhaixing, the daughter of a governor. Zhaixing discovers that Zhu Youwen is kind and righteous in spite of his status and the two become embroiled in a struggle for power.
-4
Partners Karthik and Aman don't have it easy in their road to achieving a happy ending, while Aman's family tries to get him married to someone else, Karthik doesn't step down unless he marries Aman.  A sequel to the 2017 film, titled Shubh Mangal Saavdhan.
2
CIA agents Palmer and Gagano are tasked with the perilous mission of destroying “The Soviet Union!" As they enter the system using a VR simulation, their mission quickly turns into a delirious trap, far more complex than expected, as the fabric of reality starts unraveling around them. A cornucopia of stylistic influences, virtuosic cinematic techniques, and set design (ranging from stop-motion animation to stylized live-action), Llanso’s latest blends inter-dimensional intrigue, spy-fi, kung-fu, and Philip K. Dick-esque mind-melting weirdness to achieve truly unclassifiable results.
-2
A recovering alcoholic returns to his hometown after a hiatus, and falls in love with a man who will turn his world upside down.
0
Follows a young boy who runs away from home in search of his estranged mother.
-1
Hunters have disappeared from wildlands without a trace for hundreds of years. David Paulides presents the haunting true stories of hunters experiencing the unexplainable in the woods of North America.
-1
A documentary film that tracks the tennis star’s devastating injury journey between 2017-2019. From the front lines of surgical theatres, to the intimate corners of his home, we live alongside and witness Andy at his most vulnerable. Considered Britain’s greatest sportsman ever, we see why Andy puts himself through the unimaginable to get back to the sport he loves.
-1
After an Interpol operation in Italy, Michael attends a company dinner party when suddenly, the 50 guests are held hostage by 15-20 armed men for $150,000,000 there.
-1
Dr. Jason Holden, early 50s, is in danger of losing his family, because of a tragic automobile accident. He becomes a piano accompanist at a local ballet studio and falls in love with Brandon Wykowski, 27, a troubled dancer.
-4
As mass hysteria breaks-out over an alleged demonic possession in an Indiana home, referred to as a “Portal to Hell,” Ghost Adventures host and paranormal investigator Zak Bagans buys the house, sight unseen, over the phone. He and his crew then become the next victims of the most documented case of demonic possession in US history… the “house of 200 demons.
-5
Goodbye and good riddance, 2020. In this hilarious, absurd, life-affirming comedy special, seven outspoken female comedians lay to rest the year that never seemed to end..
1
A right-wing talk show host's life takes a sudden turn when his 16-year-old niece comes crashing into his life.
-1
Despite her uncle encouraging her to adopt a more traditional lifestyle, a young Muslim college student secretly joins a Toronto burlesque troupe.
1
A man struggles to sell his house that is haunted so he arranges four people to live in the house for a few days to prove that there are no ghosts.
-1
A college class project on creation and destruction of modern myth, turns terrifying when a trio of young people come to realize the urban legends surrounding the famed Buckout Road may, in fact, be REAL.
0
It's Halloween weekend and a group of bullies are planning their annual hazing on local outcast, Jacob Atkins. When they take things too far, he's resurrected to seek revenge against those that wronged him.
-3
The film's two main protagonists are Russia's best saber fencers. One of them has long been in the limelight, the other only recently made it into the national team and has been winning almost every tournament since. The two athletes begin to fight for supremacy both on and off the arena.
3
Based on horrific true events, a handsome young soccer player Jake Graham who believes he is going insane, is unable to shake the feeling of being stalked by something, by someone. His friends and everyone around him believe he’s just anxious and prone to paranoia but Jake is actually being followed by a small group of serial killers led by a deformed and terrifying “guru”.
-6
When he is tasked to take care of the former US ambassador in Syria, a med student comes to learn of the devastating impact a past attack left on the ambassador's family and the dark secrets connected to it. Soon, he finds himself embroiled in a conspiracy beyond his wildest imagination.
-5
DCP Aditya, a celebrated cop, faces his most unsettling case yet involving a mysterious serial killer who has been brutally killing his targets and leaving behind notes challenging Aditya to nab him. Teaming with Apoorva, an aspiring crime novelist, and the police force, Aditya finds himself walking on thin ice upon discovering the killer has another challenge for him: to prevent four more murders from happening or give up his medals and resign. What he is yet to find out is the killer's past and his desperation to carry out the killing spree without fail.
-12
A French expatriate and an auto driver go on a three-day journey.
0
The disappearance of an honest IAS officer leads to his family seeking help from police, but to no avail. To their assistance arrives Abhishek, someone who happens to be there for them in times of need. But why does he want to help them? What is his real identity?
2
The only one survivor of a mysterious murderer that killed his wife, friends and the tourism guide who leaded them through a interdicted grotto, a boy become the only suspect to make the crime. He, however, claim for his innocence saying that your wife killed those people as she was possessed by an evil force. Refusing to talk to police officers who are in charge for the crime investigation, he asks for help to a nun.
-8
On October 31st, two preteens in a small town accidentally awaken an evil that has lain dormant for decades. They are forced to survive through a terrifying Halloween night of cat-and-mouse, from the monster known as "Bloody Bobby."
-3
A "documentary film crew" captures history unfolding, as a disgraced, but kind-hearted fertility specialist, Dr. William Han, tries to restart his career, embarking on a breakthrough medical trial in which four women will give birth to kittens!!!
0
Akash, a software professional who comes from a broken home, is a cynical younger who does not really believe in the idea of love. But when he learns about his father's past and encounters love in close proximity in his life, does he find a happy ending?
1
A young woman wishes to fulfill her mother's dream of opening her own bakery in Notting Hill, London. To do this, she enlists the help of an old friend and her grandma.
0
A struggling comedy duo discovers that surviving the apocalypse is almost as difficult as surviving in Hollywood.
-3
Two smart con-women and a bunch of quirky gangsters are pitted against each other while in pursuit of a mythical vessel fabled for its powers.
0
After fleeing Earth in the late 80s, an alien returns to his childhood home in search of his best friend. As he gets closer to finding her, his mysterious past gets closer to catching him.
-1
Salam, an inexperienced young Palestinian man, becomes a writer on a popular soap opera after a chance meeting with an Israeli soldier. His creative career is on the rise - until the soldier and the show's financial backers disagree about how the show should end, and Salam is caught in the middle.
0
Troy Morgan doesn't like his family's farm. The place creeps him out. After spotting some strange lights one evening, Troy and his little sister Carrie go to investigate the creepy barn. They roam around the large building until something in the shadows catches their eye. Startled by some loud banging the two run away in terror. But their efforts had paid off. On their video, a creature can be see lurking in the shadows. Troy posts his video to SpookTube, a supernatural video platform, where it garners a lot of attention. Now strangers, weirdo and thrill seekers are bothering the Morgan family as they try to catch a glimpse of the creature. Troy calls on SpookTube legends; the Crypto Hunters. Investigators Diego and her partner Sans respond to the call and arrive to investigate the sighting. But Troy's family is skeptical and more than a little tired of the constant stream of visitors. But the Crypto Hunters have a reputation for getting things done. But will allowing the Crypto Hunters investigate the property help solve the mystery, or bring on new unforeseen dangers.
-10
Paloma, the new girl at an esteemed prep school, is drawn into the daily aggressions of warring senior class factions. She joins the Spades and becomes friends with the Spades’ leader, an enigmatic and scheming cheerleader named Selah.
-3
James May is not a chef. But that’s the whole point: you don’t need to be a brilliant cook to make delicious food. Transporting us to the Far East, the Med, and the local pub – all from the comfort of a home economist’s kitchen – he’ll knock up delicious recipes that you can actually make yourself, with ingredients you can actually buy. And all without the usual television cooking format trickery.
2
At the cusp of India's birth as an Independent nation, a family makes an arduous journey to freedom at a cost. A young boy Bharat, makes a promise to his Father that he will keep his family together no matter what.
1
This is the story of six Punjabis from India, Pakistan and their struggle to get settled.
-1
When Willard and Rebecca Bean are called on a mission to a town that's hostile towards them, they must choose whether to fight for their right to live there or love their hostile neighbors.
0
During the last years of Pinochet's military regime,  a group of militants from the "Manuel Rodríguez Patriotic Front" plan a prison break of political prisoners, through a tunnel that will take them 18 months to dig.
-2
February 1976. Somalian rebels hijack a school bus carrying 21 French children and their teacher in Djibouti City. When the terrorists drive it to a no-man’s-land on the border between Somalia and French territory, the French Government sends out a newly formed elite squad to rescue the hostages. Within a few hours, the highly trained team arrives to the crisis area, where the Somalian National Army has taken position behind the barbed wire on the border. The French unit is left with very few options to rescue the hostages. As the volatile situation unravels, the French men quickly come up with a daring plan: carry out a simultaneous 5 men sniper attack to get the children and the teacher out safely. A true story.
-2
A young couple gets involved in an accident in the middle of nowhere. When they go out looking for help, they stumble across an old cemetery. They somehow reach home and things seem normal, except when they look into the mirror, they see someone else.
-1
Santa's daughter gets a chance to attend college for one semester in the 'real' world before heading back to the North Pole to fulfill her duties under her father.
0
Vasu, a young medico, after rescuing one of his patients from a murder attempt finds out that his pregnant wife is abducted, and the kidnappers demand the patient he saved in exchange for her safety.
1
Seventeen-year-old Carlos doesn't fit in anywhere, not in his family nor with the friends he has chosen in school. But everything changes when he is invited to a mythical nightclub where he discovers the underground LGBTQ nightlife scene: punk, sexual liberty and drugs.
0
A rural gentleman's peaceful life takes a turn for the worse when a couple from Tokyo move to his neck of the woods.
0
Rio de Janeiro, Brazil, 1950. In the conservative home of the Gusmão family, Eurídice and Guida are two inseparable sisters who support each other. While Guida can share with her younger sister the details of her romantic adventures, Eurídice finds in her older sister the encouragement she needs to pursue her dream of becoming a professional pianist.
2
A real life account of the deadly Nipah virus outbreak in Kerala, and the courageous fight put on by several individuals which helped to contain the epidemic.
-2
A four-year-old Ram is left in a monastery by a person named Anand Mohan and is promised that Sita will come to take care of him. Ram is innocent and cute. He makes Ram promise that he too, will take care of Sita in return. However, after 20 years of waiting, when Sita finally meets Ram, she is far from good intentions towards Ram and is only after the 5000 crore estate. The plot revolves around the final fate of Ram and Sita in light of these discoveries.
3
After accidentally killing his lead star, a has-been hollywood producer turns to an ancient herbal elixir, in the hope that it will save his career. He makes a dark deal that unleashes a band of bloodthirsty, shape-shifting, ferocious beasts on LA.
-2
Over a fleeting week and a half, twenty-somethings Michael and Laura find counterparts within each other and form a deep, intense connection that is tested by their inevitable separation.
-3
A suburban family drives their new gadget, The Alpha Home Assistant, to a killing rampage after mistreating and abusing it, leading to a full A.I. uprising…
-1
The outrageous life of Reagan Collins, a model high school student with a "killer" after-school job that involves arranging “accidents” for his classmates' parents. When seasoned police detective Cliff Dawkins starts putting the pieces together, it's a battle of wits to see if Reagan can keep business booming.
0
A homicide detective sees similarities between herself and the victims of a killer who is murdering clinical phobics by exposing them to their fears.
-2
Alienated in politically-ambiguous Moscow, a young woman deals with severe OCD, while her cousin in Berlin tries to build a romantic relationship ignoring her own condition. In a parallel New York City realm, a heartbroken boxer struggles with addiction, self worth and online anxiety, which connects all the characters on a universal level.
-2
An ambitious young FBI agent is assigned to investigate iconic actress Jean Seberg when she becomes embroiled in the tumultuous civil rights movement in late 1960s Los Angeles.
0
GRS operative Jake Alexander and his team of young recruits go after the most dangerous and notorious criminals with the help of a Hong Kong billionaire.
-3
When a girl goes missing, a woman with a mysterious past tracks down the people responsible.
-1
The story of two wedding planners in Delhi, where tradition jostles with modern aspirations against the backdrop of big fat Indian weddings revealing many secrets and lies.
0
On the run after committing a horrific crime, newlywed couple Remy and Salem find themselves trapped in a mysterious house as a terrifying darkness closes in on them.
-5
When yet another married couple within their friend circle files for divorce, Rishabh and Shefali Malhotra fear that their marriage too can be a ticking time bomb. They seek professional help from a puzzling therapist who dredges up the most bizarre moments in the Malhotras' family life be it the quality of their sex life, the quirks of their three kids or the antics of Rishabh's annoying mother.
-5
A struggling actor on the outskirts of Hollywood takes a sketchy day job on Melrose Avenue, and uncovers the dark reality of living in Hollywood in the twenty-first century.
-3
Yoshihito, a 23-year-old man who has no job or girlfriend. In order to make ends meet he rents out one of the rooms in his house. While he's showing Lily, his first tenant, around the house, she's suddenly attacked by a vampire named Vivian, and Yoshihito notices that Lily is actually a werewolf. As Yoshihito and Lily start living in the same house, Yoshihito is scouted for an organization that maintains order of the parallel universes, and strange creatures one after another become tenants in his house.
-1
A young woman enlists in an underground game of pain endurance in the hope of winning the million dollar prize. She soon learns the real opponent is the man who's running the game, as he employs horrific methods to manipulate and defeat her.
-1
Nick Pearson is a life-long bachelor who is finally settling down. On the brink of his wedding he is surprised to find he has a 13 year old son who has come to find his him through the help of a psychic. The problem is Nick can't stand kids and would happily send the boy back to live with his biological mother, except that no one has any clue who that might be. Having nowhere to turn Nick must hit the road with the boy and the neurotic, inept psychic to track down dozens of his disgraced ex-flings to whom he must ask the awkward question - with very mixed results.
-4
Two friends, Muggles and Joy, spread faith and hope in a number of isolated encounters which reinforce basic biblical values.
1
UFO Conspiracies : The Hidden Truth charts the US government's involvement with UFO phenomenon from 1947 to the present day. Featuring rare classified footage, expert interviews, images and recordings it uncovers the investigations, cover-ups and the recent astonishing revelation of a secret 20 million dollar UFO research program.
1
Lieutenant Sodhi and his army fight for Indian Independence during World War II as part of the Indian National Army; the journey and sacrifice of the Indian National Army from its soldiers' point of view.
0
Three morticians get caught in a web of greed and deceit, involving buried treasure and a tangled love affair, in this modern day crime mystery that is based on a true story.
-2
The story of Henry McBride, a down and out cowboy with a painful past he can't drink away. Living on his last dollar with nowhere to go, he ends up working the last place an old cowboy wants to be: A dude ranch. It is here he meets the owner, Jessie King, a no-nonsense rancher with a deep love for horses. McBride's self-discovery begins when she introduces him to a new way of training a troubled mustang, a horse whose past and temperament mirror his own.
-1
A series of coincidences brings two star-crossed lovers together, but fate pulls them apart until they encounter each other again in Hyderabad.
1
Broken teens facing incarceration for a crime they were forced to commit decide not to accept their destitute destiny and go about making a new one by forcing redemption onto bad people. The Juvenile Delinquents form a new dysfunctional family as they maneuver around problems manifesting from their youth, competitiveness, irrationality, and the gruesomeness of their new lives.
-5
When a meteor crashes into the moon and shifts its axis, Earth's gravity pulls the moon into the path of the planet. Now, a group of scientists must figure out how to stop the moon from hitting the earth before it's too late.
-1
Siblings invite their friends to their inherited yet abandoned farmhouse only to become victims of a demonic ritual.
-1
A young girl named Miya, who is chased because of her mysterious abilities, meets Rikka Isurug, who has been born in the family of ninja for generations.
-1
Devadas is a kick boxer turned techie who wants to break his relationship with Amukta Malyada at any cost. But will she let it happen?
-1
Back in 1977, Dillon filmed Hillary and crew (including son Peter Hillary) as they jet boated from the mouth of the Ganges to the base of the Himalayas, then set out to climb peak Akash Parbat. Dillon has remastered existing and unseen footage, and interviewed crew members about Hillary's last big expedition.
0
Trying to salvage a relationship, 2 couples go on a weekend camping trip only to find out that they aren't alone in the woods.
0
The headmaster of a government school brings in several changes at her institution despite facing odds from various quarters.
0
The follow up to the hit documentary "Barista" features four National Barista champions from around the globe who represent their countries and their craft in an attempt to win the World Barista Championship in Seoul, South Korea.
2
Long, the main character, spends his youth wandering with his three best friends from high school. With the emergence of a woman, Dongdong, whom they all fall in love with, their friendship begins to fray. One day, Dongdong suddenly disappears in an ambiguous situation, and the friendship ends. After many years, the friends meet again. However, just as youth cannot return, they can only confirm that their friendship cannot be restored.
1
One day Rony meets an unexpected guest Chandy and they become very close, however, Chandy does not disclose his true identity. Over time Chandy discloses his identity and introduces his daughter Santa and a lot of unexpected events follow.
-2
Because of an appearing psychogenic Tinnitus a twenty-something youngster is forced to rethink his egoistic, urban lifestyle.
0
Amrita's life gets shattered into pieces when her husband slaps her at a party and this particular action raises several questions as to what her relationship stands for.
-1
Caronte will make us think about justice, presumption of innocence and truth. It also talks about second chances and how a man is able to reinvent himself and get his life back together. The different cases will not only influence Caronte's personal life, but, episode after episode, will make our protagonist evolve and grow.
0
A prized gold statue drives two best buddies on an adventure to find it and unlock its powers. But does the statue even really exist - and if found, does it really hold magical powers?
3
During a very dry summer in an isolated community far from the city. Sofia, Clara and Lucas face their first loves and fears, while preparing the New Year's party, without knowing that nature threatens them.
-1
Chintu Tyagi is an ordinary, middle-class man who finds himself torn between his wife and another woman.
0
In his third hour special, comic and podcaster Dan Cummins presents some of his most outrageous material to date. Dan mocks those who believe in the lizard illuminati, a flat earth, the notion that you can sell your soul to Satan, and more. Dan even makes fun of himself for once having sex with a banana peel in a grocery store bathroom - nothing's too weird or dark. Dan jokes about his kids, his ongoing hatred of strangers, and even offers to improve the world by killing a lot of people. Enjoy!
-4
The coronavirus SARS-CoV-2 has upended life as we know it in a matter of mere months. But at the same time, an unprecedented global effort to understand and contain the virus—and find a treatment for the disease it causes—is underway. Join the doctors on the front lines of the fight against COVID-19 as they strategize to stop the spread, and meet the researchers racing to develop treatments and vaccines. Along the way, discover how this devastating disease emerged, what it does to the human body, and why it exploded into a pandemic.
-1
Legend has it that the god of battle saved heaven a 1000 years in the past in a deadly battle against the demon. Both fell from heaven and disappeared from the world. Chu Xuanji was born in the world without the six senses, making her quite clueless and inept. The Zanhua tournament is held within the Shaoyang sect, and leader Chu Lei has two daughters - his relied on eldest daughter Chu Linglong and youngest daughter Chu Xuanji, who is lazy and horrible in martial arts. When Yu Sifeng and Chu Xuanji happen to meet, they befriend each other. Yu Sifeng falls for Xuanji despite the harsh consequences he has to face, as students at Lize Palace are prohibited from falling in love. Four years later, Xuanji and Yu Sifeng meet again. Sifeng wears a mask because of a curse that can only be broken if he finds true love.
-8
A family in emotional turmoil is taken by surprise in this quirky adventure where an eccentric 8-year-old American boy, Wes, has an existential epiphany - He believes that he is in fact a Mongolian goat herder.
-2
Two rival dance groups from India and Pakistan who are always competing against each other, join forces when it comes to competing at an international dance competition.
-1
Two scheming men get caught up in a game of one upmanship, each one attracting other members to their clan and each one with an agenda of his own.
0
Y2K is approaching fast, but Abbie can’t get off the couch until he beats an unbeatable level on Pac-Man.
2
Colt Lifestone, a high school senior working on his pilot's license, must rescue his mother with the help of stray dog called Oreo and his new friend Alice
0
After his men are killed in Burma, a lone soldier returns home in search of solace. Hiding a dark secret and confronted by an unrelenting journalist, he's forced to face the ghosts of his past one last time.
-3
Former special ops soldier, Laura Bishop, shows up for work at the largest church in America and is forced to take down a team of hijackers when she learns her daughter is trapped inside.
0
When a corrupt cop gets embroiled in a heroic brawl, he has no idea how it would eventually lead him to a shocking rape case and change his life forever.
-2
Following the passing of his father, Aaron Hammond returns to his hometown to help his devastated mother and to confront his past demons. Sifting through his father’s belongings, Aaron comes upon a mysterious item that is far more than it seems.
-4
Long-term couple Owen and Hallie are breaking up—or maybe not?—and just as their relationship reaches a turning point, Matt and Willa embark on a romance of their own.
-1
Arjun is conveniently married to his best friend Anu and their marriage turns out to be a nightmare since he is not really in love with her. When things get tough Arjun gets a second chance in life that could change his path and perspective altogether.
3
Billionaire, software mogul, Adam Pi has everything in life with the exception of positive memories from High School. He begrudging goes to the 20th reunion and has such an amazing time he finds himself wondering "If I knew then what I know now" and offers the entire grad class one year's salary to come back and do one more month of the 12th grade.
2
The struggle of a family of three as they search for a house to rent after being given an ultimatum to vacate their house by their land lady.
-2
A devout Evangelical Christian struggles with his faith and against the insistent pressures from his family and community after a sudden and unexpected tragedy.
-1
Nagata works as a writer and director for theater company Oroka. His work has not received positive responses and ticket sales has not increased. Making things worse, his relationship with the theatrical troupe is not good. Nagata feels lonely. One day, he sees a woman named Saki  on the street. She is wearing the same sneakers as he is. Nagata talks to her. Saki is a university student and she dreams of becoming an actress. Nagata and Saki fall in love.
2
When a charming fare named Penny climbs into his cab, Harris, a world-weary taxi driver, finds himself engaged in the only kind of courtship he can have with a passenger -- one that lasts as long as her trip. That is, right up until she disappears from the back seat without a trace. When confusion gives way to reality, he resets his meter and is instantaneously transported back to the moment when she climbed into his cab. He and Penny find themselves trapped in an endlessly looping nighttime cab ride, with only each other for company, and it changes his life forever.
0
In 1960s England, Blake Cunningham and his alcoholic mother are forced to move into the mysterious Clemonte Hall, a vast isolated manor house, to care for his dying Grandfather who resides in the attic room. Soon, ghostly goings-on fill the house with dread, as it becomes apparent Grandfather's illness may have a supernatural cause that can only be cured by uncovering the terrifying secrets of the house and its dark history.
-6
Nicole Turner has seen better times. Having just survived a health scare and painful breakup with her boyfriend Kyle, she is now facing eviction. When she finds a room for rent with former Doctor, Julie Thomason, she also discovers a new best friend. But Nicole doesn't realize how far Julie will go to control this friendship and keep her from ever leaving.
-1
An eccentric sea captain assembles a motley ship crew in a revenge mission to slay the sea monster lurking in Lake Michigan that killed his father.
-6
A retired cop goes to the US to live with his son and becomes involved with a kidnapping case. Even as he is trying to track down the kidnapper, the case becomes too personal.
0
Suffering from agoraphobia, Seconda is unable to leave her house. When she finally succeeds, new challenges push her limits even further.
-2
Once hailed as a genius girl, Feng Wu is discarded after falling victim to a plot against her. A modern-day girl enters the world of cultivation in the body of Feng Wu and falls in love with Jun Linyuan.
-1
When Eleanor "Nellie" Chambers shows up at Crown Lake Academy, a fancy boarding school, she knows this school is her ticket to a new life. She also knows fitting in and learning the ropes won't be easy. Until she finds a guide.
2
Bored with her social butterfly lifestyle, Victoria Tremont longs to find that special someone. Naturally, when a handsome stranger walks into the coffee shop where she works, she turns on the charm. But when he fails to respond to her flirting the way men usually do, she’s perplexed. She finds out that he runs a ministry that builds affordable housing, and sees that if she wants to get his attention, all she has to do is volunteer.
0
On an isolated English farm in 1657, Fanny lives a quiet life with her oppressive husband John and their young son. One day their life is rocked with the arrival of young couple Thomas and Rebecca who claim to have been robbed and need a place to stay. But are these strangers really who they say they are?
-2
An epic journey, faithfully adapted to modern-day. Christian faces distractions, challenges, and perils at every turn of the way. But ends victorious, with helpful guides, as he stays on the narrow path to the distant Celestial City.
1
The story of a con artist in North India who convinces women to marry him just so he can live off their money.
0
Satya, a Suspended Cop, who lost his wife in mysterious circumstances, unexpectedly gets hold of a case which relates to his wife's death. He's starts investigating which eventually hunts down his past and brings chaos in his life. How Satya solved the mystery surrounding him forms the rest of the story.
-6
Three best friends head on a road trip into the desert for one final camping adventure, but dark secrets are revealed that will change their lives forever.
-1
In this story inspired by real characters, three girls from America, Nigeria and India are trafficked through an elaborate global network and enslaved in a Texas brothel, and must together attempt a daring escape to reclaim their freedom.
3
At a 2012 pre-season high-school football party in Steubenville, Ohio, a young woman was raped by members of the beloved high school football team. The aftermath exposed an entire culture of complicity—and Roll Red Roll maps out the roles that peer pressure, denial, sports machismo, and social media each played in the tragedy.
-2
Stephen is a socially awkward, middle aged telemarketer and is desperately alone. At the suggestion of Nick, a co-worker, he goes out into the night to find a prostitute for "The Girlfriend Experience". With this, he meets Christa, a streetwise call girl who's happy to fulfill his needs. Yet something unexpected happens. What starts as a business agreement blossoms into true love. But what happens when death enters the picture? How far would you go to keep the one person you've always wanted?
-1
It’s the story of a woman who, after being unceremoniously dumped on her 39th birthday, faces her fear of becoming a pathetic, lonely spinster.
-5
Spiraling into a mid-life crisis and feeling disconnected from his family, Ben Marcus, a reality-TV editor, thinks he can only be happy by fulfilling his dream of becoming a professional comedian. Ben posts his stand-up routines to YouTube, and the videos fall flat. Then his tweener son posts Ben miserably failing on a home improvement project, and much to his teenage daughter’s dismay, it goes viral, launching Ben's social-media career as Selfie Dad. Although he quickly becomes an award-winning phenom, no amount of success brings Ben satisfaction. Through his friendship with a young coworker, Mickey, Ben finds the secret to a happy family . . . with his Bible in one hand, and his phone in the other.
-1
Maria Bamford is back and subjectively better than ever! Weakness is her brand, so get ready to feel much better about yourself. This Lady Dynamite explodes onstage (after 2 (two) naps with her husband Scott and 2 old, pillowy dogs). Let her be the poor example from which your greatness can be determined.
2
A girl from a troubled family befriends two younger girls and begins to feel a sense of normalcy as they go adventuring at the seaside.
-1
Silence is an upcoming Hollywood crossover thriller film directed by Hemant Madhukar. The film starring Anushka Shetty as lead role alongside Madhavan, Anjali, Michael Madsen, Subbaraju, Shalini Pandey and Srinivas Avasarala in supporting roles. This film was shot simultaneously in Telugu, Tamil, Malayalam.
2
Introducing Hellarious: a once-in-a-lifetime feature collection that brings together seven of the most legendary horror comedy shorts ever made. The stories, from some of the world’s best genre filmmakers, feature a hilarious menagerie of zombie wives, amateur satanists, reverse werewolves, cannibal lunch ladies and more -- along with gust-busting gags, gross-outs and gore.  Included in Hellarious: Lunch Ladies by Clarissa Jacobson and J.M. Logan, Horrific by Robert Boocheck (ABCs of Death 2), Death Metal by Chris McInroy, Born Again and ‘Til Death by Jason Tostevin and Randall Greenland, Killer Kart by James Feeney, and Bitten by Sarah K. Reimers.
-4
Jill-Michele Melean has finally filmed her one-hour standup special. From Miami to L.A. She's half Bolivian, half Irish but raised in Miami so Cuban by association. Not white enough to play the Stepford wife or Latin enough to play the gangsta but relatable to all ethnicities. From impressions, to family to dating, this special has her last 15 years of hilarious stories.
3
The series follows the newly crowned champions of the 2019 Copa América tournament, the Brazilian football team, in a behind-the-scenes multi-part exclusive.
1
Hoping to reconnect with his college buddy, a 30-something businessman drags him along on a road trip.
-1
After the death of her Grandmother, Jane Dormant travels to the family’s remote, ancestral home hoping to receive a large inheritance. When Jane’s estranged, half-sister Jennifer arrives at Hobbes House to claim her part of the estate, the sisters’ simmering hate breaks out completely. But then a violent, unexpected storm cuts the estate off from outside help and a wave of bloodthirsty zombies lays siege. Now the sisters have to learn how to fight back together.
-9
Celebrity cat owners and online experts explore how the humble house cat has captured hearts and imaginations to become pop culture icons and the darlings of the Internet.
2
Poorna fails to appreciate the blessings in his life due to his unfulfilled dream of a cricket career and a failed romance that changes him.
-1
An anti-romantic-comedy about a girl who just wants a friend, and the boy who falls for her instead.
-1
The Story behind the the iconic boy band Menudo according to the creator and manager of the band
0
Claire is a beautiful young woman who works at her late father’s hotel, that is now managed by her evil stepmother Maud. Claire unwittingly sparks uncontrollable jealousy in Maud, whose young lover has fallen in love with Claire. Maud decides to get rid of Claire who finds shelter in a farm where she’s allowed to break free from her strict upbringing through encounters with seven “princes.”
0
Fresh out of prison, Pat Tate steps right back into his Essex nightclub business. Since he can't stop brooding about the man who had him put away, it's not long before he's off to Marbella to find Frank Harris and seek his revenge.
0
After 12 years, the Chinese women's volleyball team again reached the Olympic final. The ups and downs of the Chinese women's volleyball team for more than three decades have slowly spread away.
-1
A bereaved shipping officer investigates the mystery behind a ghost ship that washes ashore in Mumbai.
-1
He counseled presidents and popes, served on corporate boards and infuriated Richard Nixon.  He was one of the only friends to whom Ann Landers turned for advice.  During his 35 years as president of the University of Notre Dame, Theodore Hesburgh became one of the most influential and inspiring people of the 20th century.
1
When a private eye takes a case to find a missing university student, he must explore the deep dark depths of his own mind to uncover the truth around his own childhood disappearance as he tracks down the missing girl.
-1
Somewhere in the West Bank, Chaim, an Israeli soldier is injured during an accident, losing his memory as a result. When the young man is found wandering lost by a Palestinian villager, he is mistaken for Nasim, a young Palestinian man who has long been disappeared in an Israeli prison.
-4
A group of young and charming individuals forms relationships, parties, fights, laughs, and cries during their eventful stay at a luxurious beach house in Florianópolis (Floripa).
2
A tough army major is deployed to Kurnool on a mission to keep the country safe from external threats.
1
Chulbul this time has to take on a criminal named Balli Singh, who has disrupted other people's lives with his annoying antics.
-2
Kindred Spirits is the story of Kentucky craft distilling told by the actual people who own these distilleries sitting in the shadows of the giants of the industry.
0
When Sam is murdered in a remote lake, his consciousness begins to travel through the bodies of his friends in an effort to protect them from his killer. This dark passage leads him on a greater journey - discovering his own true identity.
0
Miriam, Derek, Ian, and Jenny are overachieving high school students doing everything by the book. Straight A's, sports, yearbook, band, and - when coursework allows - planning and executing elaborate murders.
-1
Maggie becomes a strong and ruthless member of the all-female Dark Moon gang led by the merciless Trigga, and the all-female motorcycle gang look after each other as they patrol the streets in the small town.
-1
A listless grand-daughter, Chance Sinclair, is sentenced to live with her draconian grand-father, August after a violent incident at school and begins to question the source of her families immense wealth and power. When Chance's scheming Mom, June hires a troubled chef Sydney to poison August, the family's monstrous secrets are revealed over the course of one bloody night. Every soul is up for grabs as The Sinclair Family Games Night gets underway and Chance learns that being a part of this family is a blood-in, blood-out proposition.
-6
One of the most frightening of American urban myths is the legend of The Mothman, a red-eyed creature seen by some as a harbinger of doom in 1960s rural West Virginia, where sightings of the winged demonic beast were first documented near an old munitions dump known by locals as TNT.  Many believe the Mothman to be a 1960’s phenomenon, an omen only appearing before tragedy, and disappearing after a flap of sightings and the subsequent Silver Bridge collapse in 1967. But what if there’s more? What if the origins of this omen trace back much further and go much deeper than anyone realized? And what if…the sightings never ended?
-7
An NYC Professor spends the week reconnecting with his family while defending his reputation over controversial behavior at his college. Meanwhile, his family is determined to make an around-the-clock effort to support their matriarch when she’s admitted to New York’s Presbyterian Hospital and is expected to die within a few days.
0
Haunted by her long-suppressed past and pressured by family to seek treatment from mystical healers for her infertility, a Kosovar woman struggles to reconcile the expectations of motherhood with a legacy of wartime brutality.
-1
Taking back the ritual of food as a space for conversation and different points of view, actor and filmmaker Diego Luna moderates conversations that unites experts and different personalities to touch on fundamental topics of universal interest in contemporary societies, accompanied by the menus of well-known Mexican chefs.
1
Ivanna (Irene Esser) and Vicente (Gabriel Agüero) fall in love one summer in Caracas. As their relationship intensifies, so do the secrets between them.
0
A documentary about the events in the life of Rolling Stone legend Brian Jones that lead to his death.
0
A feminist physicist is having visions of a male strangling a woman. Ridiculed by the male detectives, she is believed by a female Native American detective intern and together they pursue a paranormal mystery with shocking twists.
-3
During the last days of the Great War, a group of U.S. soldiers are sent behind enemy lines to rescue a lost platoon.
-1
Crime thriller about three siblings in Appalachia getting by as local opioid dealers, trying not to get caught in the spiral of violence that comes with the territory.
-1
An opportunity arises for Robert Atkinson, a London banker who risks his bank's money to leave the mundane behind to start a new life.
-2
Riz is a recent South Asian immigrant who takes a job at a seedy motel in a bid to start over in America. But the motel’s other employees and guests pull her back into a life she preferred to leave behind.
-1
This intimate documentary series chronicles Meek Mill's transformation from chart-topping rapper to galvanizing face of criminal justice reform. As Meek, his family and his legal team fight for his freedom, cameras capture the birth of the #FREEMEEK movement and re-investigate a case filled with allegations of dirty cops and systemic corruption in a broken judicial system.
-2
This is the story of 'R3 batch' consisting of Rocky, Rambo and Rahul, three friends who keep failing every year and are stuck with studying inter.
-3
A group of travelers are forced to seek shelter inside an abandoned jail where a notorious nun named Sister Monday had once been assigned and was suspected of murdering prisoners.
-2
After Venky, Varun also gets married thinking he can keep the wife in control but both of them gets frustrated with the marital life which generates fun.
0
Chhalaang humorously addresses the value of Sports Education in the school curriculum. It follows a hilarious, yet an inspirational journey of a typical PT Master from a semi government-funded school in Northern India, Montu, for whom it’s just a job and is forced to do what he has never done - Teach.
4
After her brother's death in the hands of ISIS, Zilan returns to her natal city, where the people's demonstrations are receiving brutal repression. In the fight for her people's freedom, she will not remain a passive witness.
-3
Two youngsters who try to find joy after they lose out on love and their need for a mutual trust to sustain love and happiness.
4
Two friends start a food delivery business after quitting their well-paying IT jobs. Their shared journey as young entrepreneurs managing a start-up comes at the cost of personal sacrifices, and will test their mettle. Will they succeed?
1
A documentary series that captures the emotions, stories, passions and triumphs surrounding the international sport of football.
2
Sarah, upon accidentally discovering time travel through the use of a drug, must now travel back one year into the past to save her son from a fatal accident.
-1
Kobe, a young famous and successful writer, he has everything in life: money, fame, recognition, love - The problem remains in his way of being, due to a hidden and difficult past, affecting him in his current life unable to leave behind.
1
Follows the story of Rayo, an artist who returns home to Nigeria from London to confront her dying mother and her haunted past.
-2
Three frustrated pensioners volunteer themselves as Grand-Godparents to three stressed children.
-1
An educated do-gooder is forced to enter politics in order to serve the society. But, will the old guard make way and allow him to do that?
1
1970s USA. Three African American siblings on the run from police take refuge at a Tennessee Ranch, unaware it's on the hunting grounds of a Ku Klux Klan cult. Trapped and tortured, they fight to escape and take down the bloodthirsty Klan.
-3
Abductions. Reproduction experiments. Memories of seeing children off-planet. The idea of humans participating in an alien hybrid program sounds absurd until you talk to people who have experienced it. Thousands of women and men around the world have had reproductive experiments carried out against their will. The most harrowing? Unexplained pregnancies that terminate without explanation. In many cases, the memories of what happened remain suppressed and fragmented, leaving experiencers confused, depressed and with a profound sense of loss. In others, the memories are visceral and emotionally disturbing. Thanks to increased public acceptance and regression therapy, more and more people are coming forward with stories of abductions and strange fertilization procedures that occur during their frightening experiences. Are aliens involved in a complex hybridization project where human females are used as vessels to carry hybrid fetuses and human males have their sperm harvested until they're ready to be transferred "elsewhere?" And if so, to what end? "Extraordinary: The Seeding" is a riveting documentary that tells these stories through one-on-one interviews with abductees-brave individuals willing to share intensely personal and emotional stories with the rest of the world. Through analysis with global ufology experts, the film also explores hybridization, why it's happening and what the impact on humanity is and will be. The information presented is intended to educate, entertain and encourage audiences to ask one simple question: What if this is all true?
-5
A pregnant woman returns to her recently-deceased grandparents’ old family home to spend time with her estranged mother. What begins as a tenuous reunion slowly turns terrifying.
-3
A small town-teen predicts his friend’s death with startling accuracy and is labelled the “Prophet of Death.” One thing he didn’t see coming? Falling in love - with his best friend’s girl.
-1
Nani plays the gang leader of five women belonging to different age groups, helping them to plot revenge.
-1
Through the curious mind of host Kal Pen, see firsthand all the surprising ways the economy interconnects and impacts the lives of people all over the planet.
0
When a high-ranking police officer is killed by his alleged rape victim, Sub-inspector Vikram Vasudev is entrusted with investigating what seems like an open-and-shut case. However, as he delves deeper, Vikram finds the case spiralling into a dark tale filled with unexpected surprises.
-3
A reclusive spinster abducts a pregnant woman to steal her baby. What she doesn't know is that a ruthless murderer is out to kill the mother-to-be. A dark thriller in the spirit of "Misery" and "Whatever Happened to Baby Jane?"
-7
Documentary about the life of Harry Chapin.
0
A food safety officer and a teacher who has no sense of smell come together to fight the practice of food adulteration and its devastating effect on people.
-3
Winter 1839. LIBERTY, MISSOURI. Local jailer, Samuel Tillery (Jasen Wade) is tasked with watching Missouri's most wanted men as they await their upcoming hearing. Caught between the local Missourians' increased drive to remove the prisoners, and the prisoners' desperate efforts to survive, Tillery is pushed beyond what any lawman can endure. Based on actual recorded accounts, OUT OF LIBERTY is an intense, evocative western, with an outcome you have to see to believe.
-1
Set in a small isolated village in 14th century Wales, Alice is a sixteen year old girl who is accused of being a witch and causing the plague that has ravaged the village, taking the lives of many, including Alice's own father. When it is revealed that Alice has been hiding her mother's infection, she is forced to watch The Cleanser, an ominous masked figure, brutally dispatch her mother. The town preacher and de-facto leader Tom has eyes for Alice, and subjects her to five torturous trials after she spurns his advances. Escaping the night before her execution, with the help of her mother's friend Mary, she flees into the forest and discovers the secluded hut of a mysterious healer, with his own troubled past and demons to face. He nurses her back to health, and teaches her how to exact revenge upon those that persecuted her.
-11
Nandini Joshi, an award-winning photographer, is going through a personal crisis. Even as her busy husband and stubborn daughter continue to neglect her, Nandini struggles to find a sense of purpose and dignity. Will she ever rediscover the lost verve for life?
-4
When the King and Queen are poisoned, brothers Per and Pål get arrested, suspected of being behind it. Younger brother Espen "Ash Lad" and Princess Kristin set out on a quest to find the mythical Soria Moria castle, which is said to be built of pure gold. In Soria Moria, there sits a well containing the Water of Life; the only thing that can cure Kristin's parents. But some wicked Danes are also on the hunt to find the castle. If Espen and Kristin fail, it will spell the end for the brothers, the kingdom - and perhaps the entire world.
2
Alexandre lives in Lyon with his wife and children. One day, he discovered by chance that the priest who abused him to scouts always officiates with children. He then starts a fight, quickly joined by François and Emmanuel, also victims of the priest, to "release their word" on what they suffered.
-2
Ana meets Rafa in a chance encounter and they embark on a road trip to try and save him from bankruptcy, or worse.
-1
A hot-blooded student union leader falls for a state-level cricketer but his anger management issues and violent streak threatens to derail their love story.
-3
1918 Ukraine. Patriotic students, protagonists of the film, get ready to defend Kyiv and fight heroically in the Battle of Kruty. On this historical background reveals the story of the Savytskyi family - the general of Ukraine's counterintelligence and his two sons, Andrii and Oleksa.
3
A do-gooder don wants his footballer son to uplift the life of his people by becoming a champion, but fate draws the youngster into a life of violence. Will he be able to fulfill his father’s dream when an opportunity comes his way seven years later?
2
An anthology of many thrilling stories.
1
Mounting hardships threaten the life of a shy photographer and corner him into facing his unraveling secrets.
-2
A rural politician marries a widow with kids and gains a respectable position. He trusts his stepson more than his own in political matters; thus upsetting his son beyond limits.
1
Guileless like a child and ever so full of life, Ambili is beloved by everyone in his village. The story traces Ambili's outlook towards life and of challenges others surrounding him that face him on an everyday basis.
2
Margaret Rockland is as depressed as the ubiquitous Christmas carols are cheerful when she returns to the Washington DC suburb of her childhood for a reunion. The wild bunch she grew up with have settled into respectable family life. Adding insult to injury, her former boyfriend is engaged to the most bourgeois blonde on the East Coast. Margaret reacts by diving into a drinking and drugs marathon. With two remaining fellow souls, she roams the suburban no man’s land and ends up in an incomparable adventure with kidnapping, extortion, misunderstandings and clumsy violence as basic ingredients.
-6
Elfette has to save the day when Santa Claus is kidnapped by the mafia, who try to take over Christmas.
0
Vijay is a down-on-luck mechanical engineer who’s looking for that big break in life. Both his personal and professional lives are a mess; will he ever catch a break?
-3
Shakuntala Devi, a mathematician's journey to become 'The Human Computer' and her relationship with her daughter.
0
Rajashekar is a strict traffic police officer whose marriage is arranged with Madhan's sister. However, Madhan, an arrogant street racer, cannot forgive Rajashekar for humiliating him in the past.
-3
The lives of two martial arts instructors are upended when they become the targets of a gang, who decide to assassinate the brother and sister duo.
-1
A troubled family traveling cross country are highjacked by a desperate man. Only to discover he's running from something more dangerous than he is.
-3
On the advice of a friend, a young American clerk went to Russia in search of a bride. When he met the girl of his dreams, he discovered that she was actually a witch, whose goal was to get a part of his body. Can he escape from her clutches and can he get back home.
0
Nicole has been through the wringer when it comes to dating. Then one night she meets her childhood crush and celebrity, Michael Vartan. Could he be the one who saves her from an unlucky streak or will Nicole find another way to sabatoge fate?
-2
Krishna, a fierce wrestler, faces challenges in his personal life as he tries to fulfill the dream of his father, an ex-wrestler.
-1
Join horror host Malvolia the Queen of Screams as she celebrates this years Halloween Monster Marathon with 5 new tales of terror and the macabre. This Halloween horror anthology from independent horrors best and bloodiest directors is a grab bag of treats you are sure to enjoy.
-2
A Girl from Chandigarh comes to Amritsar with the intention of rejecting a prospective groom and ends up spending the day with a Boy from Amritsar. His constant chatter exasperates her, but they share a curious chemistry nevertheless. They clash over their cities, their beliefs and ideologies and almost every thing they talk about. Between bouts of culture bashing and despite many scenarios where both could have gone their separate ways, they end-up spending the day together. She finally decides to return without meeting the prospective groom and leaves a note for him with the Boy. Will the Boy and Girl part ways with just the memories of this day or will they meet again?
-4
Inspired by the life and times of Caribbean war hero, judge and diplomat Ulric Cross whose amazing life spanned key moments of the 20th Century like WW2, African independence movements, Black Power, the rise of a new brand of Black leadership around the world, events that define our present reality.
3
A stylish group of San Antonio sophisticates with Mexican heritage try to balance their social lives and the demands of raising a family. But, it’s their shared experience of facing the ongoing challenges of American culture, while still finding ways to honor their heritage and traditions, that bonds these ladies with a connection that runs deeper than friendship.
2
Britt-Marie, a woman in her sixties, decides to leave her husband and start anew. Having been housewife for most of her life and and living in small backwater town of Borg, there isn't many jobs available and soon she finds herself fending a youth football team.
1
A gang of teenage boys stalk the streets of Naples armed with hand guns and AK-47s to do their mob bosses' bidding – until they decide to be the bosses themselves.
0
An unlikely heir to a Mexican fast-food franchise goes 'cuisine' hunting for the next culinary big thing, and finds himself in a small, dusty New Mexican town where foodies come from all over to salivate over the culinary treats of a local, authentic, and feisty female chef.
0
Agent Sai Srinivasa Athreya is an authentic humorous investigative thriller revolving around the adventures of a detective based out of Nellore.
2
After the untimely death of his mother, a teenager befriends his charismatic but troubled next-door neighbor and becomes embroiled in a world of addiction and violence just as the opioid epidemic takes hold of their small town.
-4
A Special Protection Group officer has to identify the threat to the prime minister, who he is protecting, and also the nation.
0
Rishi Kumar is a billionaire and the CEO of Origins, someone who has always strived for the success he now owns. His friend Ravi needs help, how will he come through?
1
Three fathers who are also brothers-in-law make a pact to save their daughters from their boyfriends.
0
An ex-army officer, Kabir, becomes a teacher in Kashmir in a school that is in a miserable condition. Things take a turn when Kabir finds a notebook, left behind by the previous year's teacher Firdaus.
-1
Dr. Rajeev and his wife SUJATA come from Dubai to participate in the last rituals of Sujata's friend and ex love affair who was a Sufi. The events which happen when they land in the village forms the rest of the plot.
0
The year is 1994, and in a small Colorado town, three friends must use every skill their minds can fathom to stave off a legion of mutating demons that is overtaking their community. This apocalyptic event has been planned for centuries by a cult, which seeks nothing less than the destruction of all humankind.
-1
The plot revolves around a youngster Malhar, who is very impulsive by Nature and accepts any challenge without even thinking about the consequences. When he loses his friend due to the negligence of the system, he decides to fight against the corrupt system. As Malhar's agitation becomes stronger, he is threatened for his life by the Chief Minister. However, this does not deter him and he challenges to dethrone the Chief Minister from power in 30 days. Will Malhar face the consequences of his impulsive nature? Will Malhar be able to avenge his friend's death?
-8
Childhood friends Amy and Steve come home from their first semester of college for a relaxed winter break, but must navigate turbulent reunions, unspoken romance, and even an unplanned pregnancy. There's no place like home for the holidays!
0
Young talented Elizabeth leaves a successful career in ballet for love. The man who has stolen her heart, however, has a dark side, and in a single moment Elizabeth loses everything dear to her in life.
0
Mike Bruton is a clown with a drinking problem. Seriously -- a real clown. Eager to pick up where he left off after a stint in rehab, Mike hops on his unicycle and takes off on apology tour, starting with a visit to his childhood home.
0
A romantic comedy about a single dad who falls in love with the Mother of his sons Crush. It is a battle for love highlighting Family, friendship and love.
2
Two couples with the same surnames pursue in-vitro fertilization and wait for their upcoming babies. Trouble ensues when they find that the sperms of each couple have been mixed with each other.
-1
The teenage son of a farmer from an underprivileged caste kills a rich, upper caste landlord. Will the farmer, a loving father and a pacifist by heart, be able to save his hot-blooded son is the rest of the story.
1
In 1897, an army of 21 Sikhs battles 10,000 Afghans to prevent the Saragarhi Fort from being taken down.
0
Set ahead of the 2012 London Olympics, the film follows Liam, an ex-con trying to win back the love and trust of his family. He has lost everything at the hands of a local crime syndicate run by Clifford Cullen, who has high-level connections in politics, finance and the police force. Liam's drive for redemption sees him caught up in a web of conspiracy, crime, and corruption.
-1
A group of prisoners, led by an armed robber and a gangster, attempt to escape from the infamous Alcatraz Island.
-2
A student must overcome bullies and hardships, both academic and romantic, in order to win his college's coveted Student of the Year trophy.
1
Orphaned in Africa as a child, Lilly escapes to England as a refugee, fleeing civil war in Ethiopia. Lost in this cold new world, Lilly embraces the immigrant community in London, attempting to reunite people with their scattered families. But as her friend Amina discovers, Lilly's mission isn't purely selfless: a passionate lost love affair is revealed.
-2
Two childhood friends from the same Quebec Innu community begin to realize that they face very different futures.
0
The story revolves around the clash between Ayyappan, a senior police officer who serves at the Attappadi Police Station and Havildar Koshi, who comes to the village with a motive.
-1
Follow the lives of four youths influenced by hip hop music.
0
This spoof comedy narrates the story of a cop Arjun Patiala and his sidekick Onidda Singh. Together, will they be able to accomplish their mission of a crime-free town with their goofy style of policing?
0
A Desperate man gets involved in a risky plan to smuggle emeralds across the Mexican border in order to save his daughter's life. When the deal goes awry and he is left for dead.
-3
A group of friends looking for a good time decides to play an online game, but are totally unprepared for the terrifying results if they win or lose.
0
A skateboarder investigating the mysterious death of his roommate is led into the inner workings of a self-help company, and the pharmaceutical lab behind it.
-1
In the Thirteenth century, a group of Satan worshipers, the Knights Templar, are captured during a ritual and brutally murdered by the locals. Just before the execution, the Knights swear to return from their graves to haunt the village and the nearby forest. Centuries later, in a post-apocalyptic future, a man and his daughter try to survive against both the undead Knights and a sect commanded by a mad preacher.
-3
Anirudh aka Anu lives in Allahabad and along with his friends, he makes local movies and also runs a gang that lets students cheat in exams. His life changes completely when he meets Maithili, whose father hires Anu to help her clear her exams.
0
Set in the late 1960s, the film explores the issues of immigration, community values and family devotion through the eyes of a young girl, Lucia, who is left behind with her grandmother while her parents emigrate to France to find work. Lucia pains to be with her family as she struggles to learn her role in the tiny, traditional village under the watchful guidance of her stern grandmother.
-2
A site engineer, who suffers from night blindness, gets into trouble when he is mistaken for the leader of a protest group by a goon. His life becomes even more complicated after he falls in love.
-6
Two life-long best friends face a tidal wave of adult pressures and problems as they face down their last year of high school in small-town USA.
0
Joan Huntar, a real estate developer, buys an old summer camp. However, the property has a dark history of supernatural worship and human sacrifice. A celebration weekend turns deadly when construction uncovers the mythical Stonehenge of America. Deadly spirits are awakened and kill to gain control of this supernatural gateway. Unable to escape, Joan and her family must fight for survival and defeat the spirits from beyond.
-1
A former corporate executive fleeing a bad marriage becomes a cannabis farmer, forms a company called Sisters of the Valley and takes on the persona of a nun, Sister Kate.
-2
Couples compete against each other on Skull Island, testing their instincts for love and self-preservation.
1
3 men, considered as losers in their lives by the people, plan to get rich along with their girlfriends by fooling 2 gangsters and robbing their money.
-1
Lina likes and respects teenagers. She doesn't understand why grown-ups underestimate kids. This is her sincere point of view - well, maybe a bit exaggerated to gain some attention. Lina is a successful video blogger, she works at a psychology center and gets invitations on TV shows as an expert. She doesn't like it when people call her "child psychologist". One day while live streaming Lina gets a call from a weird man. He speaks in riddles, says that she does nothing but talk - a lousy psychologist who doesn't even notice what's happening right under her nose. The next day Lina finds out that her brother Dima killed himself.
5
Live Blu-ray and DVD of Perfume 8th Tour 2020 “P Cubed” in Dome is confirmed for release on September 2, 2020!  For this tour, Perfume performed at 4 major domes in Japan to support their best album Perfume The Best “P Cubed” and to commemorate their 20th year together and the start of 15th major debut anniversary.  The show captured on this Blu-ray/DVD is from Feb. 25th at Tokyo Dome since the tour final on Feb. 26th was cancelled due to COVID-19.  Setlist of the show covers Perfume’s biggest hits so don’t miss it!
2
In God's own country, the supreme leader of the ruling party dies, leaving a huge vacuum, not only in the electoral and leadership sphere of the party but also that of the state. In the inevitable succession squabble and the power struggle that ensues, the thin line that separates good and bad becomes irrecoverably blurred and out of this seemingly endless mayhem, emerge forces that are hitherto unheard of.
-4
A village ruffian, who settles disputes in his native, takes on a big shot when he tries to sort out the rough patch in his marriage after several years.
-3
A ragtag group of former TV stars and comic book artists who make their living working at conventions decide to steal the loot from a crooked promoter and an overbearing former TV icon.
-3
40: The Temptation of Christ is detailed in the Gospels of Matthew, Mark and Luke. According to these texts, after being baptized by John the Baptist, Jesus fasted for forty days and forty nights in the Judaean Desert. During this time, Satan appeared to Jesus and tried to tempt him. After having refused each of Satan's temptations, Jesus returned to Galilee to begin his ministry.
-3
Gwalior Fort, during the Indian Rebellion of 1857. In a moment of despair, Lakshmibai, Rani of Jhansi, encourages her men by telling them the heroic story of Uyyalawada Narasimha Reddy, a brave Telugu chieftain who took up arms in 1846 to protest against the numerous arbitrariness and crimes perpetrated by the leaders and military forces of the East India Company.
-1
Indian classical singer Radhe and pop star Tamanna. Despite their contrasting personalities, the two set-out together on a journey of self-discovery to see if opposites, though they might attract, can also adapt and go the long haul.
0
Break is a 'rags to riches', feel good story. The film follows the exploits of Spencer Pryde (Sam Gittins), a gifted, inner-city kid, wasting his talents on petty crime. After witnessing the brutal murder of his pal Denis and finding himself in debt to a drug dealing thug named Ginger, it seems Spencer's life is spiraling out of control, until one day, a chance encounter with a Chinese stranger and former eight-ball pool champion named Vincent Quiang (David Yip) presents him with an opportunity to turn his life around. But in order to make a new life for himself, Spencer will first need to break away from peer pressure of his friends, his environment and all the negative influences of his current life.
-7
A story of nephew and a son which revolves around their emotions and village drama and army based story.
0
Two physicists discover psychic abilities are real only to have their experiments at Stanford co-opted by the CIA and their research silenced by the demands of secrecy. Yet, as both these 'remote viewers' and our audience learn, the 'more you hide something, the more it shines like a beacon in psychic space and this ancient truth can no longer be suppressed.' The true story of Russell Targ and America's cold war psychic spies, disclosed and declassified for the first time, with evidence presented by a Nobel Laureate, an Apollo Astronaut, and the military and scientific community that has been suppressed for nearly 30 years, now able to speak for the first time.
1
The story follows two Bangalore cops as they investigate an old case. Anant Nag plays Muthanna, a retired inspector while Rishi is Shyam, a sub-inspector working in the Traffic Police. Their search leads them across trails that will put their wit, resolve and morals to the test.
0
Set in the crime underworld of South Florida, Jacqueline is used as a pawn by her Miami crime boss father Jimmy Bombay. To expand his crime empire and join forces with an international drug cartel, Jimmy has arranged for Jacqueline to marry Dante Calivari, the son of a foreign drug lord. As Jacqueline fights for her freedom, her only solace is found in the counsel of a priest. But in this world of lies and deception, all is not as it seems as a journey down the aisle turns deadly.
-4
When a code that could save the world is secretly injected into a member of the 5 Elements clan, the fate of humanity and the world become intertwined with his fight for survival.
1
In an 18th century setting, a Naga sadhu in India sets out on a journey across Bundelkhand to seek revenge for an injustice committed in the past.
-2
A young woman encounters a supernatural presence in her grandmother's home.
0
In the 1980s and 1990s a wave of murders bloodied the idyllic coastline of Sydney’s eastern suburbs. The victims: young homosexual men. Disturbing gang assaults were being carried out on coastal cliffs around Sydney, and mysterious deaths officially recorded as ‘suicide’, ‘disappearance’ and ‘misadventure’. Individual stories are woven together by emotional first person interviews and detailed re-enactments, piecing together the facts of these unsolved cases, decades later.
-5
Amidst pressures from his parents to hurry up and wed, a young man seeks his perfect match. After many failed attempts with matchmakers, his parents are delighted when their son finally meets the woman of his dreams but things do not go as planned.
1
George Reddy is a biopic based on the life of a student leader, boxer and Gold medalist, who influenced the politics of Andhra Pradesh state in Osmania University between 1967 and 1972. He is often remembered for inspiring revolutionary thoughts until he was brutally murdered at his hostel in 1972.
2
Honest police officer, Dev, tries to fight the corrupt system prevalent in Daulatpura because of a powerful criminal. He vows to end the tyrant's hooliganisms and bring peace to the town.
0
A mixed-up guy in the midst of a quarter-life crisis drags his big sister along on a Bigfoot-hunting expedition.
-2
A former member of South Africa's infamous death squad must atone for his past when he helps one survivor search for the bodies of a missing anti-apartheid cell. Unaware that as they hunt for answers, they too are being hunted.
-1
The film chronicles the story of Nikka whose father's soul enters his body following his death.
-1
At their annual 1/2 New Year Party, relationships are tested among a group of friends.
0
Seems like an ordinary trip to a remote beach. Four young women enjoy the warmth of the sun, the coolness of the sea and one another's company. None of them is "Winona"
3
A lip-syncing scandal pits an American singer against an Italian male model over the legacy of 1980s 'Italo Disco' star Den Harrow.
-2
There's a zombie outbreak after a medical trial in an international detention and medical facility on an isolated island. An ex US Special Forces/bodyguard woman inmate and a guard form a team.
-3
Izzy is an energetic 9-year-old. Overscheduled and running late, Izzy's parents can't pick her up on-time the last day of school before Christmas break. A blizzard complicates the matter, but not as much as a pair of bad guys who are freezing in an ice cream truck. The school's janitor is kidnapped by the intruders, and it's up to Izzy to save the day.
-2
The son of a popular martial arts expert, Manikkunnel Ittymaani is an impulsive man who keeps landing into trouble.
-1
A single father tries to raise his daughter, who has cerebral palsy, even as she is beginning to wake up to her sexuality.
0
High school senior Sonya (Ana Golja) is ready to graduate and start college away from her traditional Romani parents, George (Raoul Bhaneja) and Morgan (Rachel Wilson). Fearing Sonya is straying too far from the Romani way of life, George and Morgan are eager to find a husband for her. When George and Morgan's community leader, Ian (Noam Jenkins) suggests Sonya marry his son, Alex (Ehren Kassum), George and Morgan decide to share the news of Sonya's arranged marriage at her 18th birthday party. But their plan quickly backfires when Sonya brings her non-Romani boyfriend, Ray (Eric Osborne), and refuses to marry Alex. Unwilling to be embarrassed by their rebellious daughter, George and Morgan drag Sonya home and lock her in the basement. But when Sonya manages to escape, Ian kidnaps Sonya and holds her hostage until she agrees to marry Alex. Realizing her only hope of survival is to pretend to agree to the arranged marriage, Sonya calls her parents to tell them she will marry Alex. But when Ray finds out, he races to Ian's house to save Sonya before she sacrifices the life she wants forever.
-3
A group of youngsters headed by Das attempt to monopolise the meat business in Falaknuma. However, they encounter some unexpected problems, which lead them to the path of crime.
-2
A delusional fan imprisons the star of an 80's horror movie with the hope of making him fall in love with her.
-1
Babu is a delivery boy living with his friends Yesu and Abhi. Due to his meagre salary, he decides to quit, but then Yesu gives him an idea. The idea, however, soon spirals out of control and Babu finds himself deep in trouble. Will he survive the circumstances of his own actions?
-1
The story of Borley Rectory, said to be the most haunted building in the world before it was mysteriously destroyed by fire just before WWII.
-1
Decades post-high school, Ram and Jaanu meet at their school's reunion and explore their past thoughts consisting of affection, care, depth and grieve all over the period of one evening.
0
Two brothers steal Charlie Chaplin's body and hold it to ransom.
-1
In the pursuit of solving an ancient mystery of Amaravati, Narayana, a corrupt cop must battle the dangerous clan of dacoits and it's fierce leader.
-4
After six months in modern Seattle, Ray, broke and lonely, decides to return to the Region, his depressed hometown, to finish his High School senior year. Once at home he quickly reconnects with old friends, and old habits.
-2
Blondie Maxwell is a future anticipation thriller. It explores the consequences of unreasonable use of technology and artificial intelligence while addressing concepts of the ultra uberisation of society and the privatization of justice.
0
A comedy drama film directed by Santhosh P Jayakumar, starring Adith Arun in the lead role.
1
Maggie and Jimmy have never met, but they keep showing up in each other’s dreams. As they navigate memories, traumas, hopes and desires in sleep and the waking world, they’ll discover the truth of their linked destiny with the help of a dream detective, a sleep scientist and the poet Walt Whitman himself.
0
Jennifer, Stefanie, and Joey are making a movie. But soon the lines between what is a movie and what is real begin to disappear. And when making a horror movie, that can be a difference between life and death.
-1
When Shane has unfinished business, both personal and professional, he takes a trip with his pregnant wife Tara to a Motel on the outskirts of town. Unbeknownst to him, the motel is not what it seems. While he tries to sort out his affair with his wife's best friend, "Clowns" are waiting and ready to let the killing games begin. Will Tara be able to spot the danger and save herself and her baby? And will Shane be too busy with his tangled love affair to sense the danger and choose the right path?
-1
A brilliant but troubled young man is thrust into a dark underworld when he becomes a pawn in a brutal struggle between two drug lords for a new street drug called LOCO. Alex's only hope comes from a beautiful girl who is also caught up in the scheme, and together they try to escape their dangerous world. A shocking surprise awaits them...because nothing is what it seems to be in the world of LOCO.
-4
1664, The Huguenots of New Paltz in centuries of cannibalism to survive the wilds of North America. Exorcism and destruction of the depraved cult by Catholic priests armed with guns, bombs, destroys hideous lair of the Huguenot Cannibals.
-6
The undead are former militia soldiers that are now indestructible snipers. A widow goes looking for the body of her husband but comes across a corpse that wants to end his new unjust life.
-1
A college student unwittingly releases terrifying entities from her school's past via a Halloween-themed computer meme.
0
Victoria Worthington is a talented cake decorator who watches life from the sidelines, as she delivers her fancy cakes to weddings, galas, and fabulous parties, while she goes home exhausted. While delivering one of her cakes, she mistaken a wealthy, sought-after bachelor, Jacob Adams III, for a waiter who is working at the wedding. Victoria gets her mystery man, who goes by the name of Jake, to help her deliver the cake. They seem to have a special connection and fate steps in when they later reconnect at a coffee shop. He ends up following her to a protest at Adams Development , who is planning on tearing down her beloved bakery, but she has no clue that Jake is one of the Adams in Adams Development. Victoria is falling in love, but will their love survive when she discovers that he is Jacob Adams III and will her business survive?
2
Two estranged brothers who are reluctantly reunited in their remote hometown at their father's funeral, become the target of an extortion scam at the hands of a gang of violent local thugs.
-6
Based on the medieval fair called Mamankam, which was celebrated every 12 years between 800 AD and 1755 AD, the story of the film is supposedly about a brave warrior of Malabar and his loyal soldiers.
4
Jack, a thief of hoodwinks the system and steals black money is chased by Daniel, a cop intent on catching him.
-1
Ivan is a US painter residing in Colombia. His best friend, Christian, and younger brother, Cole, come to visit. Somewhere along the way, Ivan and Cole hit it off although Cole is not gay. Will older brother Christian be okay with that?
1
When Kelly's newborn baby is stolen from the hospital where she works, she teams up with Gloria, also a victim of baby abduction, to get her child back from a black market adoption ring.
0
When a plane carrying important documents crashes in the Death Zone of Mount Everest, two men claiming to work for India's research and analysis department offer a large sum of money to Team Wings to take them up to recover them.
1
A Feature western genre film, 60 minutes in length shot on green screen, and locations actors placed into worlds created by 3D models.
0
In late nineteenth-century America, Rising Free portrays the story of a young woman living in the aftermath of racial prejudice. Surrounded by danger of being sold and further stripped of freedom, she discovers hope through a gracious family and learns forgiveness and overwhelming mercy from her own transformation.
1
Two rough girls, Diem and Uri, from the inner city steal a suitcase full of money from violent drug dealers and flee to an old house where Deim's grandfather lives. Just as the drug dealers find the girls, an ancient evil is awakened inside the house by a mad man and chaos ensues. The house full of criminals must all work together in order to survive the night and make it to dawn.
-6
An anthology that brings five unique creators and filmmakers to tell stories about love, happiness, friendship, new beginnings, second chances and a glimmer of hope - set and filmed in the times of the COVID-19 lockdown.
3
Level-headed and matured Kamaxi and her wild and impulsive younger sister Minaxi get into a roller-coaster ride as Kamaxi gets hitched to a porn addict and Minaxi ends up in the middle of a love triangle.
-2
An immigrant mother fears her schizophrenic teenaged son is turning into a school shooter.
-1
October 2016: in the midst of the turmoil created by the American presidential election, three European filmmakers travel from New Orleans to New York to follow the backstage of this election. Meeting the forgotten of the system: those who just try to survive, sleepwalking in the America of the 21st Century. With excerpts from Tocqueville's "On Democracy", these texts will highlight how the situation hasn't changed that much, nearly 200 years later after the original writing.
-1
A compassionate man faces a test of his faith from a rat that shows no sign of leaving his home.
2
A bioengineering company releases a new product: Mungoes, human beings who have been stripped of all memories, feelings, and free will. They are stoic, docile, perfect for menial labor. The lead engineer, however, has bigger ideas for them, and begins secretly implanting them with artificial memories and emotions—and even the ability to love.
3
Mati, an 18-year-old college girl convinces her conservative parents to let her go on an independent trip to Goa where she meets two other women who come from different backgrounds.
-1
Unable to land a job as an airline pilot, Leonardo takes a job as a fumigator pilot at a farm in the countryside. On his very first night, he discovers the town harbors a deadly secret that will put everyone in danger.
-3
Running for mayor against her incumbent mayor father, an eighteen-year-old young woman learns valuable life lessons that not only are the building blocks to saving her family, but also the town she lives in.
1
In her first special Wonder Menon, Anu Menon talks about her Gujju husband, her Malayali parents, the mayhem of marriage, motherhood and her traumatic travels.
0
Salam's dream of becoming a mother shatters when she finds out that she is unable to have children with her husband.
-1
A man living in his car takes a filmmaker into the woods to share a dark secret.
-1
Alberto Buenaventura is that increasingly common breed - a digital nomad living on the road, unattached. But not much else is common about him. He's not only a successful photojournalist; he befriends strangers and gets involved in unusual whimsical adventures, often fancying himself a hero. Then just as quickly, he's off to the next place, following the spontaneous current of life. Leaving NYC, however, proves to be a different type of beast. Al's attempts to find a way out lead him all over the 5 boroughs, forcing him to deal with various groups of colorful characters that complicate the process and in some cases, make him re-examine his lifestyle - Will he escape the lure of the city?
2
Heavenly Sword and Dragon Slaying Sabre is a 2019 Chinese wuxia television series adapted from the novel The Heaven Sword and Dragon Saber by Jin Yong. Originally published in newspapers from 1961 to 1963, the story has been revised twice; once in 1979 and the second in 2005. This remake is primarily based on the third edition of the novel. The series is the first adaptation to be released as a web series and was first broadcast on Tencent in China on February 27, 2019.
2
This story focuses on China's notorious college entrance exam, the "gaokao." It follows three seniors in high school and their families as they navigate the ups and downs of their lives whilst preparing for this exam that they believe will determine the trajectory of the rest of their lives.
-1
Second chances start when a hardened criminal crosses paths with a precocious little girl who is helped by an angel to change hearts during the holiday season.
0
In the final years of the reign of Jiajing Emperor during the Ming Dynasty, Lu Yi of the Jing Yi Wei is commissioned to investigate the disappearance of funds that have been set aside for river repairs in Yangzhou. He is assisted by Yuan Jin Xia of the Liushanmen. The two accidentally become involved in a conspiracy.

The talented female constable Yuan Jin Xia gets into a disagreement with the hot-tempered Jin Yi Wei Lu Yi over a case that they are both involved in. Jin Xia thought that she'd never encounter Lu Yi again in this lifetime, yet fate has its way of bringing two people back together. Government funds have been stolen and Jin Xia receives orders to assist Lu Yi in his investigation.

They are unable to get along at first but learn to work together through the hardships. Eventually, they develop feelings for each other to become lovers. However, things go awry when the truth about the past comes to light. Jin Xia is the orphan of the Xia Yan case from many years ago and she bears the burdens of the bloodshed that destroyed her family.

(Source: ChineseDrama.info)

~~  Adapted from a novel of the same name by Lan Se Shi
-5
The Tooth Fairy is back. 15 years after the events of the first movie, Corey, now grown up but mentally scarred has gone to a class reunion. However, the Tooth Fairy is back, and this time - You better have flossed properly.
1
Hua Mujin grew up during the chaotic era of the five dynasties and the ten states. As a child, she and her younger twin sister Hua Jinxiu were sold as slaves to the powerful Yuan Family. They are sent on the road with three other children - Yu Feiyan, Song Minglei, Yao Biying and the five take a vow of friendship to always care for each other.
-1
Monkie King. Beloved hero from the famed novel "Journey to the West" comes to life as a young boy named MK.
3
A story about a forbidden romance that has weathered ten lifetimes and endured a thousand years of waiting.
-1
A humble young woman allows herself be manipulated by her twin sister to replace her so she can leave with another man.
1
The drama tells the story of Shi Guang who discovered an ancient go board by coincidence and thus got to know Chu Ying, a go player who has been entrenched in the go board as a "soul" and who has experienced thousands of years. Under his influence, he gradually confronted the story of interest in go and inspiring to become a professional go player.
1
This dramedy follows four longtime friends as they navigate life and relationships through the strength of their brother-like bond. In a society where relationships between men of color are often misjudged and misrepresented, the series embraces male vulnerability versus hypermasculinity.
0
After getting hired to probe a suspicious death in the small town of Wander, a mentally unstable private investigator becomes convinced the case is linked to the same 'conspiracy cover up' that caused the death of his daughter.
-4
Is a trio of witches responsible for a series of sudden deaths or is there a rational explanation?
0
Despite coming from a long line of career criminals, Hana pursues a quiet life as a librarian. Until she falls in love with a cop on a mission to bring the family down.
0
A girl becomes the empress to fix her corrupt and cruel country.
-2
It follows the Qin State during the late stages of the Warring States era. Ying Zheng, Lu Bu Wei, Li Si, Wang Jian, and many formidable politicians work together to unite the six states under one rule.
2
A story that revolves around a Peking opera performer and a wealthy businessman who are brought together by their love for Peking opera.

Set in the 1930's, it follows Shang Xirui, a Peking opera performer who relies on his exceptional talent to gain fame in Beiping. Being an outsider, he faces opposition from the locals but doesn't relent nor give up in fulfilling his dreams to promote Peking opera. As he pours himself into mastering the art, wealthy businessman Cheng Fengtai becomes deeply captivated after watching a performance for the first time. He makes acquaintance with Shang Xirui and becomes an avid supporter. Through Cheng Fengtai's help, Shang Xirui builds Shui Yun Lou and trains a new troupe. When the Japanese army invade Beiping in 1937 and patriotic men and women take up arms to fight, Shang Xirui and Zhu Fengtai are moved to make sacrifices for their country
9
12-year-old Seon-yoo and her mother struggle for a new start after her father killed himself with huge debt behind.
-3
A high level executive decides to be become a mother by surrogacy to best balance her personal and professional lives. Four women become mothers to little Victoria.
1
Year 1763. Forced into exile, the famous libertine Giacomo Casanova leaves Paris and travels to London, where he meets Marianne de Charpillon, a young prostitute to whom he is so attracted that he forgets about the other women.
0
Based on Sheridan Winn's book series "Sprite Sisters" about the magical adventures of sisters Flame, Sky, Flora and Marina.
1
An NYPD Detective is shot by one of his own, benevolent brothers in uniform. Communities are ignited - to march for justice. Gangs put their differences aside - for a united fight, an equal opportunity. “That people not be judged by the color of their skin but for the content of their character.” The movement and unity impacts City society and leads to a Blue Wall intervention within the Police force. White cops lust for change and act on it - by flushing out racism. Not an easy fight. In the end, what was considered impossible, became possible.
2
Maggie Diggins, a wombat turned Wonder Woman, unintentionally becomes the city's superhero after she begrudgingly saves a rookie superhero sugar glider from certain doom.
0
During the Joseon Dynasty, the Secret Royal Inspectors are the eyes and ears of the king. They travel the provinces undercover and listen to the plight of the common people, investigating abuses and corruption of government officials.
-3
Young elite swimmer Claire is sent to Australia to coach a boys swimming team, where she must overcome an old rival and a secret fear to save the swimming camp from closing.
-1
Satoh Aya, a temporary office worker who never bad-mouths about others no matter how much she is fooled, is conveniently used in her company as a 'sticky woman'. Such an ordinary office lady ends up meeting Ichijo Kei, the young successor of a large company, who was eager to marry early because of his grandmother, the chairman. The destiny plays with their fates and both meet each other in an unexpected situation which is going to change their destiny.
2
When a pharmaceutical company's illegal experiments inadvertently create a zombie, the strange Park family finds it and tries to profit from it.
-3
Students of two schools in Thiruvananthapuram that cater to different economical classes are in a tussle. While one set struggles for survival, the other is busy finding joy in drugs. The two groups keep finding reasons to mess with each other. Will they find the purpose of their lives amid the chaos?
0
An unknown terrorist group is behind a series of crimes in Hong Kong, China, putting the safety of the city and its citizens on the line. A special task force, A-Team, is formed under Lok Ka-sing, the captain of the Flying Tiger, with selected elite members from the police force: Head of operations Eddie Wong Kwok-tung, head of investigations Cheung Man-lung, heads of intelligence Ting Ho-yin and Mo Yat-man, and head of forensics Yiu Ka-lam.
0
Since birth, a screenwriter finds herself becoming a character in the script of her own creation. However, she is not meant to live past three episodes!

Chen Xiaoqian is a writer who poured blood, sweat and tears into creating a big female-centric drama. What could have started filming smoothly quickly turned south because of actor Han Mingxing's reservations about the script.

Feeling wronged, Chen Xiaoqian vows to prove herself yet she accidentally gets stuck in a parallel world where her story has come to life. Now known as the 3rd princess Chen Qianqian, she is an insignificant side character with a horrid reputation that is not meant to live long in the story. In order to live, she starts on a road to reverse her fate. She also gets caught in between the arrogant and black-bellied prince Han Dong and the practically perfect Pei Heng.
-1
February 1939. Overwhelmed by the flood of Republicans fleeing Franco's dictatorship, the French government's solution consists in confining the Spanish refugees in concentration camps where they have no other choice than to build their own shelters, feed off the horses which have carried them out of their country, and die by the hundred for lack of hygiene and water... In one of these camps, two men, separated by barbwire, will become friends. One is a guard the other is Josep Bartoli (Barcelona 1910 - New York 1995), a cartoonist who fights against the Franco regime.
-4
Lin Heping is a famous curator who runs into Qiao Man and is surprised to find that she looks exactly like a woman that he loved for years.
3
Star-studded holiday ensemble comedy about pets and their owners lives.
0
During the late Tang Dynasty, the lives of people from different social classes never intersected, despite the fact that they lived side-by-side. With his keen sense and a thriving silk trade, Li Qing Liu had worked hard to become one of the most prominent leaders of the upper elite. At the same time, Long Ao Yi  was using her quick wit and tenacity to climb her way through the ranks of the Longzhu Clan. Though living entirely different lives, Qing Liu and Ao Yi had both made a name for themselves as two of the strongest leaders of their respective classes.
6
Qin Wen Tian, is the adopted son of the Qin family and was born a weakling. His parents force him to travel to the Bai Manor to honour a marriage agreement between the two families, but the Bai family finds a better partner from the Ye family and goes back on their promise and tries to kill Qin Wen Tian who manages to escape vowing to take revenge. He makes it to Jiuhua Sect and befriends his master's daughter Mo Qingcheng, and the crown prince Yi Wuwei who is currently in hiding. Qin Wen Tian helps the crown ascend to the throne.
1
Two police officers, one black and one white, each for their own way of justice, embarking on a confrontation of death and death.
-3
From the earliest times, people have wondered what awaits them after death? And although no one has managed to penetrate the core of the mystery, over the centuries there have been people who ... knew and saw more. Fulla Horak, St. Faustina Kowalska, Bl. Father Stanisław Papczyński and St. Padre Pio - these are mystics who received the grace of being visited by the souls in Purgatory and who for a moment could see the final judgment, heaven, hell and what is most mysterious - purgatory.
-2
Boonie bears and bareheaded Qiang blast into primitive times and experience a period of exciting and breathtaking time in a primitive tribe.
0
A promising young filmmaker is thrown into emotional disarray over the impending release of his second feature, when he is introduced to a magnetic French musician called Noah.
-1
Everyone's favorite doctor is back! Dr. Albert Beck seems to get what he wished for as the jury finds him not guilty for the kidnapping and attempted murder of a former patient , so he then lands a teaching job at a prestigious Arizona medical school where he develops a crush on a new student , with that growing obsession he struggles from keeping it from taking control of his life , but things aren't what they seem , When a former patient of his , Sophie Green decides to enroll in the medical school where he's teaching to take matters in her own hands.
1
After being insulted by a rich businessman named Rosario, pandit Jai Kishen teaches him a lesson by getting his daughter married to Raju - a Coolie posing as a millionaire.
0
A live concert experience and exclusive look into life on the road with The Jonas Brothers during their Happiness Begins concert tour.
1
Finds 10-year-old Dana, who sees dinosaurs in the real world, solving dino experiment #901 - where are all the kid dinosaurs? But while working on the solution, her new neighbor Mateo is dino-napped by a Tyrannosaurus Rex, and it's up to Dana, her sister Saara, and Mateo's brother Jadiel to finish the experiment.
0
A musical journey follows Chen Jing, her guy friend and a group of female musicians who are passionate about traditional Chinese music. Together, they start a band to challenge the norm and go on an all-out war against the students of Western music.
1
Escalating climate change is turning the world economy upside down. With crops dying and food price spiking, FOOD has replaced oil as the world's most valuable commodity.  Among the very few lands still left fertile, Indonesia is quickly rising as the next economic superpower, when its government is suddenly and ruthlessly overtaken by a popular rogue political party.  In just three days, six former Marines must work together, find their long-lost brotherhood, stop a nationwide government- sanctioned genocide, and save millions of lives, for one last shot at redemption. Or die trying.
1
After her mother is murdered by her stepfather, gifted 15 year old student Pearl goes to live with an ex-lover of her mother, a grumpy unemployed film director who, pending the results of a paternity test, may be her biological father.
-1
An action-adventure comedy that follows the adventures of feisty and resourceful 10-year-old Molly Mabray, an Alaska Native girl, her dog Suki, and friends Tooey and Trini on their adventures in epically beautiful Alaska.
3
An intertwining tale of sex, drugs, rock and woe.  Lives criss-cross and converge thanks to the most addictive drug in human history, Red Devil—which also happens to be the title of Savvas D. Michael’s tale of sex, drugs, and guns. An anonymous voice at the start of the film warns, “Once you’ve tasted the devil’s cum, everything else is dull and numb.” The current problem with the Red Devil drug is the supply has dried up. Addicts are so desperate for it they’re willing to kill for it…and they do.
-7
The story follows a forensic examiner Ran Yan, as she investigates the truth around her mother's suicide and solves murder cases one at a time. Ran Yan is an eighteen year old destitute noblewoman who grew up learning about autopsies and finding clues through corpses. She encounters a judicial official and an assassin by chance and finds true love through the course of searching for the truth.  (Source: DramaPanda)

~~ Adapted from the novel, The Tang Dynasty’s Female Forensic Doctor, by Xiu Tang
-3
Three women’s lives intersect at a lakeside resort and are forever changed by the love of a special needs boy.
1
Roshan has a crush on Priya, his classmate. His friends pull out all stops to help him. Will Roshan find his true love?
0
The most famous battle of the swordsman Miyamoto Musashi. Miyamoto fights against 588 enemies, one after the other. There is no room for error, no room for trivial, outdated, or unconvincing movements.
-3
This is Alex’s first solo standup special. This 120-minute show will include his typical rib-tickling and knee-slapping comedy and plenty of music and Tamil. Being passionate about music, Alex steals every opportunity to sing and play his musical instruments. Alex draws from his varied life experiences from growing up in a village in Tamil Nadu to working in corporate America, and brings unique colors to his acts. In this show, his insane optimism towards life will rub off on to you, and he will connect you with your own wonderland. A wonderful show that you can take your children, parents, elders and neighbors along and sit together and watch. The show is wholesome and clean and is 7+.
3
A girl relocates to a small town only to find it inhabited by ghosts. A struggle against a bad spirit ensues to keep the town's children safe.
-1
Three men in their seventies decide to leave their neighborhood life in Rome and find somewhere to relocate abroad.
0
An Italian missionary arrived in Japan during the Middle Ages in order to proselytize, evangelize and recruit people to his religion. He instituted seminaries around the country and picked the most ardent to travel to the Vatican in order to meet the Pope himself. Their fate and circumstances is tested.
1
The story of John Buultjens, who has dedicated his life to the sport of BMX.
1
Lacey Keller is brilliantly creative. The only problem is, no one seems to notice, and Lacey doesn't have the confidence to make them notice. Struggling to make ends meet between a job at her best friend's jewelry store and as a night security guard at a marketing firm, Lacey sketches some ideas for a struggling campaign, which accidentally gain the notice of Mikey, the firm's CEO, and his brother Greg, who is trying to prove himself with the campaign. Just one problem -- they assume Lacey is Valerie Staken, an executive who actually turned down their job offer to work at another firm. Tempted by the opportunity to catch up on her bills, Lacey takes on Valerie's identity.
2
Late in the 10th century, the Liao dynasty is at the zenith of its power. The omnipotent Liao rule much of what is now Northeast China, Mongolia, Russia, and much of the Korean Peninsula. Prime Minister Xiao Si Wen and Princess Yan have three daughters, with the youngest, Xiao Chao, their favourite.  Her heart belongs to the aspiring military commander, Han De Rang, whose family have served the Liao loyally for decades. However, her parents have other plans, sucessfully arranging her marriage to  Liao Emperor, Jin Zhong, whom she eventually concedes to marry.  As the Emperor’s queen, she becomes a fierce defender of the Liao by assisting in mobilizing the army, heading a 10,000-strong cavalry and providing support to the civil administration. Eventually, she will earn the title of Empress.
2
Doctor Luke Matthew's world comes crashing down when he loses the love of his life and becomes a father in the same night. When he hires Sage as the new nanny, they both begin to realize that the best form of medicine is letting go.
0
When their employer tries to cheat them out of a job, a rugged crew of workmen turn first on him then each other, leading to a bloody confrontation.
-2
The chair of a mysterious Foundation whose charity balls double as masked sex parties does everything in her power to protect her darkest secret: the hidden camera in her guest bathroom.
0
Seventeen-year-old Daan does not have an easy time. His older brother Robbie died in an accident two years ago, which still leaves traces within the family. His mother Nina is locked up at home, his father Filip runs away from work. When mother and son meet the homeless Radja, Nina smells an opportunity to fill the void in her life again. Without consultation she brings Radja into the house. Relations within the family soon wither and sex and violence infect civil security. When Daan notices that the newcomer is gaining more and more power over his mother, he bites into his mysterious past. Soon he begins to fear that the intruder carries all the characteristics of a psychopath.
-1
In the wake of the new Civil Rights Movement it is important to tell Black stories from those who actually live it. Shoot first and ask questions later, lynchings, redlining, policing of hair, food deserts, underfunded schools are just a day in the life struggle of being Black in America.
0
A distraught mother suspects her teenage son is a psychopath who may shoot up his high school, but when he outsmarts the mental healthcare system she is forced to take matters into her own hands.
-2
A broke-down middle aged Texas troubadour yearns to be remembered like the southern bluesmen before him, but his failings and self-doubt forestall his musical dreams and blind him to the open road.
-1
The owner of a historic inn decides to enter a prestigious cooking contest to win funds for renovations and get free publicity, but she is a horrible cook. She recruits a renowned chef to help but the kitchen isn't the only thing heating up.
3
When a mysterious whirlpool appears in the Atlantic Ocean, astronauts Belka and Strelka must once again act heroically and complete a mission to save the planet along with the distant home of their new alien friends.
0
During the Later Zhou Dynasty, the Fu family was the focus of world attention to the well-known prophecy given to Fu Yan Qing that states that one of the daughters of the Fu family would become the future Empress. This leads to people assuming that by destroying the Fu sisters, they will indirectly destroy the throne. With the passing of Guo Wei, the fate of the throne is left unresolved. Under the irony of fate, the two sisters end up falling for two men who are against each other. Facing the dark tides brewing within Zhou Dynasty, the two sisters does not forget their beginnings, and work together to secure the reign of Zhou.
-1
A school kid commits suicide after a humiliating incident at school. All hell breaks loose as his brute businessman dad gets obsessed with finishing off all responsible for the same.
-6
An agent, sent by the Indian army to observe a terrorist, finds his mission complicated when he discovers undercover agents in his own country.
-1
A small town comes under the thumb of Martha, a ghost who returns to haunt the children who witnessed her death during a "game" of Ghost in the Graveyard as young children.
-2
Raghu and Zoya are enjoying their lives together until a gang leader with harmful intentions turns their world upside down.
0
In the skullduggery world of politics and crime, an innocent Chanchal has to pull all on the line to prove her innocence and bring justice to Shakti and the people that he loved so much. As she gets embroiled deep in a web of deceit, Chanchal must face powers both natural and supernatural to fulfill her destiny.
-1
Centered around one couple (Stan and Kelly Stevenson) who seem to be more committed to growing apart rather than growing together. Their friends are caught in the middle of divorce conversations during one of the most joyous seasons of the year. Rather working things out, Kelly's one wish for Christmas is for Jesus to bless her with a new husband.
2
A downtrodden man experiences an ethical crisis and travels back to his hometown in rural Italy to recalibrate his moral compass. There he finds new purpose in reviving his grandfather's old vineyard, offering the small town of Acerenza a sustainable future, and reconnecting with his estranged family in the process.
0
Mio is 20 years old. Having lost her parents early, she and her grandmother run a traditional inn in Nagano. However, her grandmother gets sick. Mio moves to Tokyo and lives with her father’s best friend, Kyosuke. He runs a public bath. She begins to work at the public bath, but it is scheduled to be demolished to make way for redevelopment.
0
Seon-hee is a high school girl who used to tell lies to get her friends’ attention. She leaves Seoul guilt-ridden when her friend Jung-mee kills herself because of Seon-hee’s lies. In the countryside where no one knows her, Seon-hee begins a new life as ‘Seul-ki’.
-3
Romance between a girl who wants to seek revenge for her father, and the second son of the Yue family who owns a rogue manufacturing factory.
-2
A travel writer is surprised to be sent back to the home town she left, heartbroken, years before. She meets a new man, and also her ex.
0
Recently split from the "perfect boyfriend," Amber is floundering, her on the job performance uninspired. When Amber starts re-living the same day over and over again, she realizes she is stuck in limbo and must finally decide what it will take to make her truly happy.
-1
This feature film tells the true story of Charles S. Gilpin; the first black star on Broadway and his leading role in Eugene O'Neill's controversial play, The Emperor Jones.
0
Nine year old Sara befriends a newborn dragon, together they will turn Christmas upside down and literary put it on fire.
0
The origin story behind one of Broadway's most beloved musicals, Fiddler on The Roof, and its creative roots in early 1960s New York, when "tradition" was on the wane as gender roles, sexuality, race relations and religion were evolving.
1
An old Panamanian holiday tradition personified as a homeless man disrupts the life of a workaholic animal rescuer to show him the true meaning of love, friendship and family.
1
Professor Eugenius finds both his career and secret friendship with the Fixies in danger when his college sweetheart, Erica, threatens to reveal that Eugenius only beat her out of the University’s Grand Prize in 3D Printing because Fixies were secretly helping him. Erica challenges Eugenius to a rematch to show the world who the better inventor really is! Eugenius will employ his Fixie friends while Erica has little helpers of her own — crabbots, miniature robotic crabs that are faster and stronger than the Fixies.
6
Jess must navigate her son's primary school world filled with other mothers keen on advancing their children's futures.
1
A woman is charmed by a handsome man with a dark family secret who will do anything, including murder, to keep her forbidden love.
-1
A woman makes a Christmas wish for her neighbor to fall in love with her but must enlist the help of her crush when her Christmas wish applies to the wrong neighbor.
-2
A love story between a comic artist with no experience with romance and a popular, charismatic beautician.
3
Bethany has been kidnapped by Avondale's popular kids for a surprise birthday party to celebrate her sweet 16. They don't realize that Bethany is the target of the monstrous 'Thorn', and nothing will stand in his way.
2
A resident in Ooty named ‘Petition’ Pethuraj reopens a case from 2004 that involved a serial killer ‘Psycho Jyoti’ who was convicted for the kidnapping and murder. Venba, his daughter and a passionate lawyer, seeks to unveil the truth.
-1
Teens compete for best performer of the summer at Next Level, a specialized dance/hip-hop/songwriting performing arts program.
1
Raghu, a normal college guy gets dragged into trouble when he falls in love with Lekha and their whirlwind romance changes the course of his life.
-2
A doting wife goes through a hard time trying to save her husband who is possessed by two spirits.
-1
Shy and smart College freshman, Stacey, falls for the charming grad student, Benjamin. Her whole world is changing and she just wants to have fun, hang with the girls, study. But it isn't long before Benjamin's abusive, narcissistic qualities begin to show. Can she save herself and get out before its too late.
0
A young boy finds a mystical toymaker with stories to tell. The first is of a leprechaun seeking revenge on a defenseless family. The second is of a doll who works evil on her fragile owner. The toymaker gives the boy a clown named Giggles. Clowns are supposed to be the guardians of happiness, right? These Evil Little Things will cause you many sleepless nights.
-1
Gabe sees his therapist every Wednesday. Therapy takes a turn when another patient is "left behind" at the therapist's office and they go on a misadventure to get him home, all while running into odd ball characters in Gabe's life who are helping him get over his last break up.
0
An estranged mother/daughter country music duo reunite after 10 years apart to release a Christmas single after a video of them goes viral. Now, they’re going to need a lot of forgiveness and a little Christmas magic to write a song that perfectly captures the spirit of Christmas and brings their family back together.
1
A naive young husband must face down his obsessive and psychotic friend when their plan to elicit a confession from his adulterous wife ends in murder.
-4
A story of a young man running from the truth about his childhood returns in order to correct his past but ends up discovering a side of himself that he suppressed.
1
Twelve teams of dogs and their humans compete in an epic adventure across multiple continents
0
On an island in the Pacific Northwest, a junkie photojournalist's disturbing future is revealed to him through the images he shoots.
-1
A portmanteau exploration of disparate characters scattered across London, many of whose lives intersect unpredictably. A refreshing take on the complexities, contradictions and compromises of modern living in the greatest City on Earth.
2
In the 1970s, the golden age of gay pornography in New York City, a promising chorus boy is injured and told he will never dance again. Distraught and unimpressed with the "art" films playing seedy Times Square theaters, he gets his friends and lovers together and they start making their own hardcore movies. Against all odds the films are wildly successful until drugs, AIDS and cheap video technology bring it all crashing down
-1
he story is set in the fictive Sheng country. He Lan Ming Yu  is an honest and bright young lady. In her young years, she gets to know the 9th Prince Xiao Cheng Xu by chance. The two get along well and gradually develop feelings for each other. However, fate turns against them and while fake news that Cheng Xu died on the battlefield spread, Ming Yu is forced to marry Cheng Xu’s third older brother and reigning king Xiao Cheng Rui . Cheng Xu helps Cheng Rui establish a great and stable country through continuous big achievements on the battlefield, but Cheng Rui is filled with jealousy towards his outstanding younger brother. When the truth about the death of Cheng Xu’s mother comes to light, Cheng Xu is determined to usurp the throne to take revenge.
1
It's been a long time since Caine, Bronson, Angus and Wendell—aka ‘The Chain Breakers'—escaped a torturous Vietnamese POW camp. They now find themselves sharing a new prison, The Hogan Hills Retirement Home for Returned Veterans. Each of the boys has an unrealised dream they want to achieve, so they band together to devise a plan to escape their new hell. But the rules of engagement have changed. In fact, they can’t even remember what they were—and that’s half the problem.
-4
The story is set in the Yuan year of the Yongzheng era. In the time of chaos, Yu Xing and her sister Cai Feng were separated. When Yu Xing knew that Cai Feng had entered the palace as a consort candidate, she decides to follow suit as a chef trainee. Her culinary skills deeply impressed the Emperor, and she was quickly promoted through the ranks. However during the Empress Dowager's funeral, she accidentally breached a taboo and offended the Emperor. She was then sent to the countryside to do manual labour. There, she got to befriend a healer and picked up medical skills. Using her new-found skills, she managed to help the people who were suffering from a widespread pandemic. When she returned to the capital, she enrolled into the imperial medical college and started from the bottom as a trainee practitioner. She also finds love with general Yue Zong Lin.
2
In the aftermath of a traumatic event, a suburban husband and father buys a cutting edge home security system, only to find that it slowly destroys that which he most wants to protect.
-1
After a devastating battle against an army of drones leaves Sergeant Barbara Slade paralyzed, her only chance for survival is to be placed inside an artificial, android body. However, once inside a cybernetic unit, Slade’s identity is mistaken, leading her to a cell of antigovernment activists and to a mind-bending plan that threatens to destroy everything she has made sacrifices to protect.
-1
The timeless story of an ill-fated romance between a young Greek village girl and a conflicted Turkish officer during the dawn of the Greek War for Independence against the Ottoman Empire in 1821.
-1
When her mother dies tragically in a car accident, 17-year-old Jessie is taken in by her aunt and uncle, in Western Montana. She finds herself in a new school, with the unexpected attention of a cocky bull rider- and an almost impossible need to hold on to the one connection she has with her mother: barrel racing. Doing anything she can to get around horses, Jessie does not give up on her dream, despite not having a horse of her own. But when her Uncle Mick finds a deal on a cutting horse that has been deemed useless, Jessie finds a new hope in life, and the chance at barrel racing she's been needing.
-5
A young bioarchaeologist Yukisuke is attracted to a girl Koyomi, who runs a small stand of taiyaki pastry that he often buys. Koyomi is hospitalized, however, by a car accident on a rainy day after they go out together, and wakes up with short term memory loss, where she cannot remember anything beyond the present day. Yukisuke tries to live close to her as before but the lack of collective memory starts to stagger him.
-2
A fraudster gets to fulfill his childhood dream of being a superhero when he takes on a ruthless businessman whose business strategy is to crush the dreams of children.
-2
Four adventurous friends find 50M in cash at a remote island only to discover it was left by the DEA for the Cartel in a rogue deal.
0
The men in a broken family reunite many years after a domestic tragedy drives them apart.
-2
A small-town librarian is gifted the lost diary of a dead teenager, exposing long-buried secrets as a murderous scarecrow stalks the streets.
-2
Carlão is a prejudiced man who works in a car dealership with Cadinho, Zeca and Antunes. In conversations between them, Carlão always boasts of being the greatest soccer and mechanics savvy, all amidst macho and homophobic jokes. When Evaristo is the target of such verbal assaults, he pursues him and locks him in a magic locker. From there comes Carlinhos, a homosexual alter ego that takes over Carlão's body when night comes.
2
It took his whole life to live and three full years to film  Chuck Leavell: The Tree Man.  Filmed in four countries with more than 80 interviews from artists with a combined 58 Grammy Awards by the artist included, “Chuck Leavell: The Tree Man,” an Allen Farst film, is the cinematic documentary that shines a light on one of the greatest rock’n roll pianists and keyboardists over the last 40 years.  Not just known for his musical influence, Leavell is also one of the biggest names in environmental forestry and was selected the National Tree Farmer of the Year in the United States.  -His commitment to the planet and his strong family ties are refreshing reminders to be kind and treat your neighbor with respect.  As Leavell puts it,  “if you cut a tree down, plant two for the next guy.”
7
On his way to a DJ Championship in Brussels, a young Egyptian is mistaken for an illegal immigrant and detained in a country he's never heard of before.
-2
"A riveting, emotionally charged rock doc like none before it. This decade long journal follows the band and phoenix-like implosion and spiritual immersion of their front-man, who was born with a genius like gift to create hit music."
4
Childhood friends, Willie and Jamaley, embark on a quest to prove the existence of a local mythological creature known as, The Cacacoon.
0
Hapless Insurance Loss Adjuster - Martin Dyer - feels his life is spiralling out of control but discovers that even when you reach rock bottom, that some clouds really do have a silver lining.
-3
An egotistical stand-up comedian fights with a spectator and gets fired. To be able to pay his son's pension, he decides to participate in a comedy group contest. Now he will need to work harmoniously with the rest of the team.
1
When Mal's body is hijacked by an escaped demon, his spirit must catch Henry's attention, and after a hilarious series of misadventures, they battle the demon to get Mal's body back and win their happily-ever-after.
0
A brilliant and short-tempered young surgeon goes down a self-destructive path when the love of his life is forced to marry another man.
1
In the face of the misery in his homeland, the artist Masuji Ono was unwilling to devote his art solely to the celebration of physical beauty. Instead, he put his work in the service of the imperialist movement that led Japan into WW II.
1
A random act of theft has put Tom Hammond's life into a tailspin. Stolen from his bookshop is Tom's most treasured possession, a photograph of him with his son Luke...their last moment of shared happiness. The Last Photograph is set between London in 2002, and a dark night in 1988 when Pan Am 103 was blown out of the sky over Lockerbie.
-2
Illuminates the spectrum of black male humanity in America. An intimate, inter-generational exploration, the film strives for insight to black identity and opportunity at the nexus of sports, education and criminal justice.
0
Paul and Virginie just had a baby boy. Happy to discover their new life as young parents, they did not imagine that their Boutchou would become the stake of a merciless struggle between the grandparents ... To gain the exclusivity of the little adored, grandfathers and grandparents. mothers are ready to implement any stratagems ...
2
A visit to a wealthy and reclusive friend lands a young man in a world of fear and despair.
-1
Serving countless newlyweds in Hong Kong’s go-to one-stop-shop of cheap wedding supplies doesn’t exempt Fong from social pressure to marry. Since nodding to Edward’s proposal, she has been pushed beyond limits by unaffordable housing, archaic customs, and intrusive in-laws. What befuddles her further is the reappearance of Shuwei, a mainlander she’s supposed to be divorced from out of a sham marriage that solved her coming-of-age hardship. Zeroing in on nuts and bolts of modern marriage, My Prince Edward pokes around fixated correlations of freedom with relationship status and geographic residence. Like a breath of fresh air out of the breathless space it navigates, the whimsical gem contributes a rare humane take on the worldly metropolis's divisions with humor and wisdom.
1
Rhythm, a pregnant woman, is traumatised by nightmares about the unsolved kidnapping of her first child, Ajay. Soon, she embarks on a harrowing mission to solve the mystery of Ajay's disappearance.
-2
The drama revolves around a cold-hearted and loyal general Xue Yao who’s investigating the mystery around his brother’s death, and an unfavorable princess named Chu Yue who suffers from insomnia due to a childhood accident and spends her time reading romance novels to rid herself of boredom.
-4
Amidst the chaos of massive budget cuts and school closures, a young female teacher introduces men's rugby to an inner-city North Philadelphia high school.
-1
In a small South Korean village, while investigating the death of two people in strange circumstances, a grumpy policeman will live an overwhelming experience beyond the reality he has known so far.
-4
There is a story of a young girl from the south of Tehran who falls in love with a young city girl while the girl is forced to emigrate from Iran for some reason. Along the way, his brother accompanies him, but in the middle of the road, something happens to them ...
0
After witnessing a woman's boyfriend commit murder outside his home, Jonathan, a man who lives so alone that he hasn't left his house in two years, is drawn out into the dangerous world to save her.
-2
After a long time, Alexandra is reunited with her father Álex, a Spanish-Maghrebi businessman, and accompanies him on a business trip to Jaisalmer, in India, where an unfortunate event threatens to separate them forever.
-1
Despite being successful in their careers, two 30-something BFFs never stop hearing that they both need a man before it's too late. When a handsome pastor arrives just in time to kick off the Christmas season, both ladies try to make a move-but as their hilarious attempts to one up each other keep growing, it will be up to their family to remind them what the holiday season is truly about.
3
The kids are thrilled that Bernie has come back. But so has their old enemy Winston, who's about to kidnap the talented dolphin. Kevin and Holly must rescue their splashy friend before it's too late.
1
After losing his mother to obesity, a thirty-two year old chubby ginger comedian and vegan son-of-a-pig-farmer sets out to avoid the same fate by running one hundred miles through the mountains of Colorado in one of the world's most difficult ultra trail marathons...and lives to tell jokes about it.
-3
It's the summer before fifth grade and Henry Hudson hasn't found his place in the world. Then he meets a group of immature film geeks who give him the courage to lead a battle against the neighborhood bullies and finally become one of the guys.
0
Aakaasam Nee Haddhu Ra is an upcoming Indian Telugu-language action drama film directed by Sudha Kongara and produced by Suriya and Guneet Monga, under their respective banners 2D Entertainment and Sikhya Entertainment.
0
A balding 30-year-old bachelor in search of a beautiful wife is given a deadline to find one or remain celibate forever.
1
Over a trio of summers, a caretaker for luxury condominiums relies on her resourcefulness and her eye for opportunity to take advantage of whatever comes her way as her employers are caught in major corruption scandals.
1
Seattle PD is investigating the murder of a man and Sakshi, a deaf and mute artist, and her husband Antony, a renowned cello player, are related to it.
-1
In 2007, the Braley Family decided to rescue an abandoned and dilapidated Civil War Era home in historic Saginaw, Michigan. Despite the overwhelming need for repair, the Braley's saw nothing but potential; a 6,000 square foot blank canvas to which the large family could pain a future of their own. Sparing no expense, contractors were deployed to the stately and iconic manor, with the mission to preserve its original 19th century colonial architecture. Almost immediately, strange occurrences began taking place within the home; tools coming up missing, disembodied voices and footsteps, and the shocking appearance of a semitranslucent apparition of a young child. Following several weeks of escalating activity, the bewildered family took it upon themselves to find out who or what was haunting their home. That is when they made the unfortunate mistake of turning to a spirit board for answers...
-8
Six kids take a trip to the Grand Canyon, but instead find themselves in a whole other world.
1
A father and son run a rickety used car lot in Southern California. The old man and his boy are left overs from a bygone era of Americana.
0
A busy couple tries to give their love life a boost by taking an impromptu weekend trip only to find their relationship tested in unexpected ways.
1
A man planning to commit a mass shooting is befriended by an eccentric group of ravers and finds himself conflicted about his intentions. Based on the untold story of Seattle's Capitol Hill Massacre.
-3
Gary Owen hilariously bridges the "lanes" of black and white cultures as only he can, both in his home and on social media.
0
Black Hawk Down: The Untold Story is a documentary film on the heroic efforts of the soldiers from the 2nd Battalion 14th Infantry Regiment, 10th Mountain Division (2-14). These men demonstrated extraordinary courage, skill, and discipline as they fought their way into a “baited ambush” to rescue the special operations forces pinned down at the crash site of Super Six-One while also attempting a rescue at the crash site of Super Six-Four. Two soldiers from the 2-14 were killed and eighteen wounded in what many have described as the most ferocious urban combat since the Battle for Huế during the Tet Offensive in 1968.
1
Reporting from the frontlines of the Okanagan wildfires, Stan documents uncommon heroism on his blog while hoping for a big break that’ll make him a household name beyond Peachland. But when he’s unexpectedly charged with a shocking crime, he must scramble to salvage his reputation with the civic leaders who respect him and save his marriage to Gail, the woman who’s supported him amidst his various struggles. But how will Gail react when the extent – and nature – of the charges are revealed and his innocence is hardly assured?
-3
In 2007, four teenagers from disparate backgrounds are voted "Most Likely To Succeed" during their senior year of high school. Filmed over a ten-year period and directed by award-winning photographer Pamela Littky, we watch as they each chart their own version of success and navigate the unpredictability of American life in the 21st Century.
2
After his first love breaks his heart, a young American singer reluctantly leaves his home in San Diego, California and embarks on an epic road trip through Baja with his uncle in order to reconnect with his Mexican roots and find himself.
-1
A late-night cafe runs from 12 midnight to sunrise. Some unique secrets are hidden in there. Jae Yeong, upon seeing a crappy job advertisement, visited the cafe and meets his unexpected fate.
-2
After getting released for serving a double life sentence, Sachidanandan returns to connect and live with his family until his past catches up to him, forcing him to protect his loved ones.
2
Griffin's unapologetic storytelling canvasses his 30-plus year comedy career. Through his quick wit and a fiery rhetoric, Griffin flexes his perspective on a number of personal family situations and real-world issues.
-1
For fans who love The Walking Dead, THE DAY OF THE LIVING DEAD is another great zombie origin story. Set in Hollywood 1957, a time of glitz and glamour, a time of brains and blood. This movie is full of action, suspense, gore and graphic violence. George A. Lazarus is an insurance investigator who disappears during a routine claim. His heartsick fiancee, Bethany, retraces George's steps and discovers that the employees George was investigating also all mysteriously disappeared. Now, as Beverly finds herself in the middle of a zombie apocalypse, this simple insurance fraud case may actually be the beginning of the end of the human race.
-4
A group of friends attempts to make a 'halal' film that conforms to the guidelines and descriptions of an Islamic organization which they are a part of.
0
This is the definitive Documentary on Alien Abduction. A careful fact based study of the most credible cases, hoaxes, military historical involvement and expert interviews.
0
The film portrays Siddu's life through the years, falling in love with Aishwarya for the first time while in college, and later meeting Shruti, a drummer, alongside his struggle to become a fashion photographer.
-1
A petty thief learns about his father's illustrious legacy and decides to attack the man who murdered him in order to bring the ancient martial art form that his father had practiced to limelight.
-1
Comedian Tone Bell simply wants to live in a world where Alaska is cold, student loans are paid and jelly is free. He's finally found the one place his uncompromising view of this unfair world can't be stopped.
-1
Halloween season is in full spirit as River Falls University is having their best football season in over a decade and the students are celebrating. Jocks, nerds and sorority sisters alike flock to massive parties filled with music, drugs and sex but that's not all they'll find. There's a killer crashing parties. The school color's of RFU go from gold to red, as blood floods the campus grounds.
-1
Sheriff Austin Shelby is determined to uncover the dangerous & deadly facts behind the Nellie Harper murder for hire plot. After an attempt on his own life the Sheriff teams up with a mysterious US Marshal who has just arrived in town.
-5
Nithin, a struggling filmmaker is reminiscing his first and unrequited love, Varsha through the days of his plus two classes. This is their coming-of-age story of romance.
0
David Bennett, a struggling OCD scientist with father issues, has a life-altering encounter with a UFO and winds up falling for Jordan Waters, a quirky and mysterious female artist who, unbeknownst to him, turns out to be an alien who's being hunted by Ray Watts, a determined conspiracy theorist.
-5
Narco Soldiers is a timely, action-packed crime thriller that explores the resurgence of the Caribbean drug routes and one couple's violent, Bonnie and Clyde-style rise to power.
-1
In a non-human area called Animal Town lives a 5-year-old bunny named Elinor who teaches preschoolers ages 1 to 4 the basics of helping the community and discovering how plants, bugs, and animals do the same.
0
Four young women watch their dreams become nightmares as a weekend getaway in the desert turns deadly.
-3
Making the mistake of robbing a powerful drug dealer. A group of friends are forced to rob a bank to make amends.
0
A marriage is in the verge of trouble as the groom sends an abusive message to the bride under the influence of alcohol. Will he able to save the wedding?
-2
Reality TV stars attend a Halloween Scare Attraction. Suddenly the escape room turns deadly as gas leaks in leaving them unconscious. A voice tells them they must tell a truth or die. Who will survive the real scare attraction?
-3
When two couples with mixed feelings about having kids hatch a plan to share one baby, it seems like the perfect compromise-until things spiral out of control.
2
An actor lives happily with his lover and cat but can’t shake this feeling that all is not as good as it can be. When he quarrels with his girlfriend and is kicked out of the house, he meets three people in a strange day where memories seem to overlap with the present.
0
Québexit is a multi-lingual (English, French, Cree) ensemble political comedy: when a transnational pipeline leads to a successful third Québec sovereignty referendum, a small road at the Québec-New Brunswick border becomes a lighting rod of conflict between the new Québec military, the Canadian Armed Forces and two indigenous women who traverse the border frequently.
1
The film is about a day in the life of Elizaveta Petrovna Glinka, also known as Doctor Liza. Moscow, 2012. The Glinka family prepares for a celebration: thirty years together. The closest friends are invited for dinner, the sons have arrived. Of course, Liza has freed up this day for her family. There’s just a trifle: to stop by the Fund and see the weekly patients at the Paveletsky Station. But the days of Doctor Liza are always full of surprises… In a hospital in a Moscow suburb a five-year-old girl is dying. The duty doctor has to discharge Eva. Due to medical formalities the child, who suffers from cancer, is left without painkillers. In utter despair, the girl’s father turns to Liza for help. When Liza cannot find a way to help the child within the system, she decides on a desperate act…
-2
James is still in love with his ex-wife Barbara and has one last chance to win her back. While his friends and parents try to help, they're dealing with their own complicated love lives. But, in a crazy world, love is the only thing that makes sense.
2
Dating within different cultures and being open to all religions, Ethan must deal with constant roadblocks. From First Nations to South American, his journey to find love in Toronto is nothing but complex. He faces discrimination and depression but always remains optimistic.
-1
A man returning home from prison finds the game has changed when his girlfriend becomes a stripper and meets the King of Bankhead.
-1
Ri-ae', a woman who had everything but could not fulfill her dream.
 'Cheol-woo'. a man with a genius talent but is not lucky.  'Ri-ae' bought the painting of 'Cheol-woo' who she met by chance, and they decided to complete the last work by borrowing each other's names.  'Ri-ae' forgets her vanity and learns true love.
 And 'Cheol-woo' who had no hope, finds a reason to live as a man with a warm smile...
6
A famous actor needs to renew his driver's licence, and the motor vehicle agent is a fan of his, but a series of misunderstandings causes a great deal of friction.
0
Raghava, who runs a breakfast center in his village, dreams of starting a small hotel in nearby city, Guntur. Accompanied by his friend Gopal, Raghava plans to buy an old shop in city against the interest of his father, which co-incidentally belongs to Nageswara Rao, father of his love interest, Sandhya. How Raghava's love life and his dream to establish his own hotel clash, forms the crux of the story.
1
An inspiring look at the life of talented Spanish badminton player Carolina Marín.
2
Set in rural Pennsylvania, 15-year-old Shaw, a bullied outsider, is trying to cope with his mother’s death and a reunion with his estranged, alcoholic father.
-3
A happy-go-lucky guy has to recover his lady love from the ghostly spirit who accompanies her always.
2
When Baby Bedi is entrusted with a job of running controversial sex clinic ‘Khandaani Shafakhana’, in a small town of Punjab, she faces severe backlash from all quarters. Can she find a cure for the widespread social stigma against important issues like sex education and sexual health?
-1
An intelligent forensic officer starts investigating a murder, but he faces a slew of challenges as he suffers from nyctophobia. Will he be able to solve the case?
-1
Filmed over the summer festival season, Stacey Lee’s uplifting documentary examines gender inequality in the electronic dance music scene.
0
After a tragedy, Sophie attends a summer camp where she encounters some camp bullies. But when Sophie joins the archery team, the girls form a tight squad led by their coach Percy. Along the way, Percy also helps Sophie come to terms with the loss of her mother, in an unexpected and magical way.
-2
A single mother and her kids are doing it tough on their outback farm - until a runaway criminal dressed as Santa Claus crashes into their property, and their lives.
-2
Just days from signing divorce papers, Hank and Alexandra give their relationship one final shot by playing a game with only one rule: no matter what they ask each other to do, they can't say no.
0
An artistic couple living in Austin, Texas, wake up one day to discover they are the last two people left on Earth.
0
An African American woman has an encounter with a white police officer that leaves him dead. The world watches a media circus real-time hunt for her and the truth.
-1
A cop, who suffers from family issues, takes up a peculiar suicide case. The plot thickens as similar cases get reported within a span of a few days.
-5
An Anthology with three tales including the ghost of an 80's fitness guru, a Tattoo that won't stop spreading, and an Uber Driver that picks up her final customer for the night, not knowing that she's in for the ride of her life.
0
The son of a biscuit maker grows up as a worker in the company that his dead father founded. One say, a guardian angel walks into his life, and tells him stories that change his life for the better.
1
In this political thriller, a politician finds his wife in the garage. She is cleaning her son's bloodstained car, which has just run over a person.
0
It's a good time, difficult time, narcissistic time, padded time. The newly married Yannis Pappas explores this in his first hour stand up special produced by Andrew Schulz
0
Babbu Bains, a finance recovery agent, doesn't let anyone tell her what to do. She is independent and knows how to get things done her way, but then she gets married. Part of a new family now, can Babbu take a stand for herself?
1
Dylan Burke attempts to move on from his former life as a criminal with his true love Maria. He soon realizes that his past will continue to haunt him, when he learns the new local prison warden, Daniel Calvin, has not forgiven him for an old crime.
-3
The most unlikely pairing of teen-age girls end up bonding to form the pop group Drama Drama, and make a stand against bullying in their high school.
-2
Software engineer Venkata Krishna Gubbi meets Purple Priya, and falls head over heels for her. But that's only the beginning his problems. All hell breaks loose once Gubbi finds himself on the wrong side of the villainous Mr. Robinhood and Venkat Reddy, and to make things worse, Priya is kidnapped. What follows is a series of misadventures, as Gubbi and his best friend Nani try to escape the messy situation they are in. But can they?
-8
Joy and Hope McGregor run Two Sisters Ranch upstate New York with their dad and longtime friend. When a handsome stranger comes to town to find inspiration to get over writer's block, he learns how special Christmas on the ranch really is.
2
Marketing exec lands a spot on a big project but before the presentation, a snowstorm traps her and her boss at a resort where they realize there is more to their relationship than just business.
-1
As an only-child to immigrant parents, comedian Jesus Trejo grew up learning many of life's lessons in the most unconventional ways, all while constantly feeling the need to meet his parents' high expectations.
0
Anna looks for revenge against a pimp for her young sister death's while working out a complicated relationship with her lover.
-2
Dia tells the story of a young, introvert girl whose routine life brightens up when she falls for Rohith, one of her fellow college mates. Being an introvert girl and trying to express her love becomes the biggest challenge of her life. This romantic drama will make you lose yourself in the emotional journey of a girl falling in love.
0
An honest cop, a conman and a hopeless romantic form an unusual team during the days of demonetisation to pull off a scam. A scam that is bigger than demonetisation, but things go haywire.
-3
A pinch of love, a dollop of happiness with a scoop of togetherness. Join this cook on a flavorsome journey of love, loss and friendship. When tragedy sizzles through his life, it is to see if he can save the dish and toss a sweet ending.
2
Detectives investigate the disappearance of a young girl who goes missing during a family birthday party.
0
Award winning Fox Television Special, which includes never before seen UFO footage. This collection of clips and videos shot all over the world shed light on the long debated presence of aliens on planet earth. Hear it first hand from a range of experts, giving their professional opinion on the authenticity of the footage provided.
2
Film reveals the staggering human and material cost of illegal immigration to the U.S.A. Documentary is a raw depiction of death, torture and hardship suffered by Americans and foreigners due to illegal immigration.
-6
Toneri Shinichi is a young man living in a condominium in Saitama. He's someone that fails at everything he does. Whenever he gets a new job, he gets quickly fired. On the other hand, Kashiya Jiro is the resident in the room next to Shinichi's. He suddenly discovers a hole in the wall which he can use to see Shinichi. He uses it to watch Shinichi in secret. One day, his daughter Akane also discovers the hole and the situation rapidly changes.
-1
Teenage egos collide when a self-proclaimed "Broadway Legend in the Making" is forced to share the spotlight with the school's star athlete in the high school musical.
0
In the cold streets of Charlotte, where murder is on the rise, a drug deal gone wrong has now created a who done it in the city with the cops chasing the city's notorious Thugs.
-5
A ride-share driver's violent past proves useful when his passenger witnesses a murder and needs a quick escape from a group of highly skilled mercenaries. The driver's life spins out of control as he finds himself thrust into the world of international espionage without any specialized training or warning.
-1
After his rise to fame causes a rift with his father, a young superstar suffers a tragedy that changes his life forever. Will a chance meeting with a talented young woman give him the strength he needs to believe in himself?
-1
The life of a free-spirited and irresponsible young man changes when he meets a beautiful woman from a neighboring village.
0
Desperate to rid herself of a recurring nightmare, a young woman seeks the help of her therapist.
-2
A couple wake up in the night to a man searching for something in their home. After they are forced to kill him in self defense, they decide to take one hour before calling the police to search for what they hope is a hidden fortune.
0
Ace Ripley finds his grandfather's watch and discovers it can mash up the molecules of two different things to create something totally new and cool.
1
Five adopted brothers come home to tend to their mothers illness and give her the best Christmas she can imagine.
0
A local Tamil movie based on true events, directed by Logan and starring Saresh D7, Latha and Guna.
0
My Summer as a Goth is a coming-of-age story about the sometimes painful, often entertaining search for identity and love in adolescence.
1
A modern day tale of good vs evil, secret societies, sorcery and Satan.
1
Cops of Paramedu Police Station encounter a series of events while they are on a mission to improve the image of Kerala Police, by making it people friendly. Will they become successful in their mission?
3
Alison Grant begins teaching ice skating students on a friend's frozen pond after being fired from her rink job. On the first day of class her old high school sweetheart and now famous hockey player, Ivan Hall, unexpectedly shows up when he brings his niece for her skating lessons. While an initially cold reunion ensues, eventually Alison warms up to Ivan again. Dove Family Approved for all ages.
-1
A story about three modern-day women who make different decisions, how it affects them in the workplace and changes their friendship and how they find love.

Persistent in searching for her soulmate, He Cai Hong falls for the all-around professor Ji Huang whom she shares similar interests with. Cai Hong's mom does not approve of her daughter's choice because she has her sights set on the millionaire Su Dong Lin to become her future son-in-law.

As Xia Feng finds himself out of the job, Cai Hong tires to help Han Qing out. Yet through some mistake, Han Qing lands a position at her husband Xia Feng's old company and turns out to be excellent at her new job. In doing so, she becomes a stiff competitor for Cai Hong's other bestie Lili and it puts a strain in the three ladies' friendship.

As Cai Hong sees the choices that the people around her have made, she also makes her own decision that eventually earns the support of her family and friends.
1
On the last night of her college freshman year, Izzy tries to lose her virginity with the help of her two best friends––but their only hope is getting into an exclusive, invite-only “Crush Party.”
-1
The host of The Soup & star of the show, Community, brings you his first stand-up special. He discusses everything from feeding alligators in the south to wanting to change the San Francisco 49er's name to something a little more relevant.
0
Choi Jihoon is assigned to Daehun High School, the worst high school in Korea. He pledges to be the ‘Jjang (Top gangster)’ here, but the reality is quite tough.
0
Una and an alien robot have 24 hours to find her Grandpa who was kidnapped by aliens. The extraordinary adventure leads to friendship, the rational robotic logic is replaced by emotions and Una's selfless love saves her partly alien family.
4
A documentary set in BC Canada about an immigrant Punjabi family who have a dark secret they can finally tell.
-1
Azeem Banatwalla's second stand-up special is a wickedly dark show that taps into the inner, evil voice in the back of all our heads, and uses it to solve the biggest problems plaguing the country – stupidity, moral policing, racism, indoctrination, overpopulation, Kashmir, the government, and of course, Pigeons. There’s also a joke about Salman if that’s what you’re into. Nobody’s judging you
-8
A set of diverse characters wind up together in an old diner in a small town on Christmas Eve during a snowstorm while a young expectant couple tries to make it home on a night that's anything but silent.
1
A couple fall in love and get married, but as soon as they are hitched, things begin to unravel. They discover each other's dark secrets and begin to realise that nothing is as it seems when it comes to their partners.
-2
A supernatural sitcom about the ultimate odd couple, Sadie is a teenage wizard-in-training and Gilbert is the grumpy magic rabbit sent to mentor her. Together, they're magic.
0
When Jagan meets Radha, it is love at first sight for him. But finding his happily-ever-after is harder than it seems. A romantic-action film directed by Chethan Kumar, starring Sri Murali and Sree Leela in the lead roles.
2
'Gone With The Light' is a 2019 Chinese sci-fi thriller, revolves around a group of people that disappear after a mysterious light falls upon the city, leaving the survivors to try and unravel the mystery.
-3
5 IT professionals staying together vacate their house due to a situation. They move into a new house were they start facing horrific incidents at night. It terrifies them to death. When they are about to find out what's happening, they are getting killed one after another . Now they have to find out if it's really haunted or someone planning the terror.
-4
Based on true events, "Lady of Guadalupe" is a moving religious discovery juxtaposing folklore and the present day. Historically significant recreations are used to illustrate the origin of her prevalent and powerful symbolism of Mexican identity and faith. When a young and ambitious reporter (Guillermo Iván) is assigned an article on faith, he finds himself enmeshed in the legend of Juan Diego and Our Lady of Guadalupe. Skeptical of miracles and the importance of modern-day Christianity, the reporter's investigation takes him from cynic to true believer as his personal limits are tested.
4
Coming back to her broken family, pregnant writer Huang Xiaoyu and her French husband, Benjamin, finds herself trapped between her cult brainwashed mother, Li Jiumei, and her secretly homosexual father, Huang Tao.
-2
A young adult named, Juanito "Jay" is struggling not to follow in his fathers footsteps. Jay's life changes dramatically when an old friend is released from prison, and they cross paths, stirring up a past life of bad habits. Jay, with the weight of his financial difficulty, and family responsibility, is presented a choice that could devastate his life.
-5
A group of idol thieves find themselves in a tricky situation involving a priceless Murugan statue and a Cockatiel bird.
1
"City of Joel" is documentary - with unprecedented access - to a 1.1 square mile shtetl in the suburbs that is home to 22,000 members of an one of the most insular and orthodox Hasidic sects. We follow the battles they are waging to survive. Just 50 miles north of New York City, the Satmar sect has built Kiryas Joel as a religious haven where they can be fruitful, multiply and follow the 613 rules of the Talmud. But with some of the highest rates of marriage, birth and religious observance in the country, they have been almost too successful. Developers have come up with a plan to double the size of the village to keep up with this growth, but their neighbors fight back because they believe it will harm the environment and tilt the balance of political power.
0
Sullu a survival thriller Revolves around Jithu the protagonist and his relationship with his parents. Jithu a 9 year old boy is very mischievous and couldn't tolerate his moms pamperings and his father's anger issues. One day while playing hide n seek games with his cousins he accidentally get stuck in wardobe which change the life of him and the people around him.
-3
Dev and Jonas are two rogues on sort-of-opposite sides of the law in the 1880's. When they accept a job that seems like easy money from a powerful mining company owner, they end up getting more than they bargained for.
2
Sahil and Harshita, overnight end their perfect relationship of two years. But, as much as they want to move on and move away from each other, they are stuck in awkward situations put up by their parents who make persistent attempts to bring them back together. Will their parents' concern cross the line and turn into interference? Or will they triumph in explaining the children that a relationship is just like 'Golkeri' - A sweet-sour traditional Gujarati pickle. The taste only gets better with time.
0
A group of Afghanistan veterans struggle to find meaning from their sacrifices in a war that doesn't end when they come back home.'
-1
When wannabe-singer Oscar is fired from her band and her boyfriend walks out, she heads to a remote cabin in the woods outside a ghost town called Tarnation to reflect on her life choices. But the woods are home to a demon unicorn, whose satanic master seeks Oscar's blood to complete a ritual that will raise Satan himself from Hell. Oscar must battle with a ungodly force of evil, capable of possessing any soul, to not only save her own life but to stop TARNATION descending upon the world.
-1
Two petty thieves based out of Theni, masquerading as hunters, come to the forests of Kodai to save people settled there from deadly wolf attack .
-3
Two people whose love is a force that can never be changed, no matter how much its surroundings may change. A unique take on the timelessness of romance.
1
Watch his story unfold as we recount his rise as a journalist covering some of the most controversial UFO events seen across Mexico in history. Jaime Maussan started his career in journalism at some of the highest profile news agencies in Mexico, including 60 minutes and TV Azteca. His ambition and powerful desire to tell stories at a feverish pace led to the creation of his own news reporting agency Tercer Milenio which still has a growing base of over 2 million viewers a week internationally.
0
For 17-year-old Jennifer, gaming has always been part of everyday teenage life. Recently she has been feeling uncomfortable and lonely. Not so long ago she moved to Munich with her parents Frank and Ariane from another city. In her new home, the girl does not find a real connection with her new classmates. Fixed by the virtual reality game "Avalonia", gaming is gradually becoming the elixir of life. Jennifer neglects her school and family responsibilities. She ignores all admonitions, restrictions and prohibitions for every precious second of the game and betrays her parents. Only the secret, excessive immersion in the virtual fantasy world of "Avalonia" seems to make Jennifer happy. The Parents have to watch as their daughter's life gets completely out of balance between the real and the virtual world.
-5
Sketchy Behaviour is an absurd sketch comedy show filmed live in front of a largely captive audience in Mumbai. Described as hilarious, complex, stupid, irritating (and 'sardonic' by one lady in Goa) the show veers in and out of the familiar and the bizarre with equal comfort. A knee-slapping head-scratching torrent of jokes, characters and self-aware comedy that successfully spent the entire budget that was available to spend on the show. Featuring six very silly live sketches, stitched together by a much sillier story about the nature of art itself and bookended by extremely silly and unnecessary opening and closing, Sketchy Behaviour is truly a work of something.
-7
From local grocer to global icon. Filmmaker Anthony Wonke explores how Johnnie Walker became embedded in popular culture and has managed to still be there 200 years on. Feat. Cappadonna(Wu-Tang Clan), Sophia Bush, Sean Miyashiro and more.
2
A comedy about what one summer storm, one city ordinance, a set of golf clubs, rock and roll and one very angry daughter can do.
-1
A doting father and her daughter, who aspires to become a doctor.
0
Based on the journey of the legendary Telugu actor, filmmaker and ex-Chief Minister Late Taraka Rama Rao Nandamuri.
1
75-year-old Cho Nam-bong and 71-year-old Lee Mae-ja are a couple suffering with dementia. After being married for 45 years, the couple couldn’t even remember when they were in a good relationship. However, as their memories fade by the day, their dreams and romance that have been forgotten rekindle.
0
Documentary about a prison in Venezuela run by the prisoners themselves.
-2
The film revolves around a hardworking man Krishna who lives in Hulidurga and is famous for traditional oil extraction. He is torn apart from being the rightful owner with the entry of business tycoon Devi Shetty. Will Krishna fight against all odds to bring justice to his people? Who will become the real `Yajamana` is what forms the crux of the story.
2
A disaffected American-Nepali half Hindu-Muslim boy detours to Kathmandu on his way to join the on going war in Syria, but his battle against a local don who kills his grandfather teaches him to follow a far more greater purpose in life, and in the process he reconnects with his roots, culture and traditions of the Himalayan nation, which he had forgotten.
-2
By a certain circumstance, web magazine editor Mochizuki Nasa meets Yanase Sota  who claims to be endowed with a "non-sexual relationship switch". Working as a "rent-a-friend", Sota is hired by Nasa who wants to test out a theory.
0
Love Mocktail is a 2020 Indian Kannada-language romantic drama film directed by Krishna in his director debut and jointly produced by Krishna, Milana Nagaraj. The film stars Krishna, Milana Nagaraj in the lead roles. The film was released on 31 January 2020.
3
Scientists battle monsters.
-1

0
Josh Blue dives deep in his newest Comedy Special, Broccoli, exploring the craziest of topics. From discussing the ghosts of the past, those in his home, and the future of his Comedy, you will surely be rolling in laughter.
0
It is a disturbing thriller about a home invasion of a wealthy family that lives in a small-high end apartment. The family is taken hostage as the invader psychologically tortures David, the head of the household, by causing harm to his family members as he watches.
-4
A woman who loses her husband in a police encounter plots to take revenge on the gangsters who had framed him.
-4
The film is based on the after the wedding custom when a newly-wed bride is taken back to her husband's home for the first time. Set against the backdrop of the pre-partitioned era.
0
Across the kingdom, little trolls Cupcake and Leaf decide to petition the King to recognize Trolls Friends Day, a new holiday honoring all the trolls and their pals. Navigating a vast land for the first time, the tiny duo encounters friends and foes alike and learn many things, and what it takes to overcome a threat that may take over the kingdom!
-1
Girl meets Boy does drugs and kills.
-1
Charles, a withdrawn high school English teacher, and his student Romy start documenting collaborations between autistic youth and senior dementia patients, causing Charles to tailspin into his past and confront the errors of his youth.
-1
A romantically inexperienced man with muscular dystrophy struggles to win the love of his able-bodied crush while posing as a boyfriend for his closeted best friend.
1
The film revolves around a Chinese man who returns to New Zealand following the death of his wife and begins to discover that she harbored a number of secrets.
-1
The story of Kaka Ji highlights the era of the 90s in Punjab when the notorious gang Kale Kachia Wale was dominant in the state. Kaka Ji is the son of royal Sardar Kartar Singh Brar falls in love with Deepi, a young girl from the adjacent village. Things take a turn when Kaka Ji gets trapped by the gang while trying to save the love of his life.
-1
With only 30 days to repay a massive loan, a disgraced art historian is forced into a scandalous scheme: win the heart of, and then extort, the Episcopal priest avoiding her like loose glitter. When she discovers him hiding the world's greatest lost masterpiece, will she betray the heroic man who believes in her genius, or fall for him and doom herself to a custom pair of concrete stilettos?
-1
A wealthy art collector's obsession with a young painter develops into a psychosexual relationship fueled by jealousy and delusion.
0
An elderly couple, a house wife and a retired army man, go through some unanticipated moments during a rainy season in Chennai.
0
Three good old friends reunite in Berlin for a party. It becomes apparent how much their lives have changed in just 5 years. A harmless prank ends in murder and the other two are left scrambling for a plan to dispose of their friend's body
0
Guathamante Radham revolves around Gauthamam and his journey of getting a driving license and, for the first time in the family, a car of his own.
0
Cornered by a snooty in-law amid an awkward family lunch, Shibashis Saha, a middle-class man, makes a spur-of-the-moment decision to take his wife and two daughters to Switzerland for a vacation but ends up at Kalighat police station.
-1
Undocument bears witness to four journeys of love and loss, immigration and identity across three continents as one cinematic journey.
0
Many pastors who disagrees with old testement but follows 10% tax , took from same old testament and Many things which was told by Jesus and Moses was disagreed by Paul and he made all chrstians follow his statements.
-2
Cory Mathis, a respected college professor, claims a mythical forest creature killed his wife transforming him into a man haunted by obsession and revenge. He partners up with legendary Big Foot hunter Fran Andersen who is out to collect the Nat Geo 10 million dollar bounty for capture of the creature.
0
Varmaa, the wayward son of a businessman, tries to turn over a new leaf after he falls for Megha. However, caste issues derail their love life and appear to darken Varmaa's future.
-3
Journey back through the history of one of America's last great mysteries in this new documentary. Join researchers, investigators and historians as they uncover the story behind centuries-old mystery; the creature known as Bigfoot.
-1
A digital anthology comedy series starring a line up of actors in sketches and shorts depicting love and romance in millennial times.
1
A docu-comedy special that follows stand-up comedian Rory Scovel as he performs six nights in a row with one difficult, self imposed rule: not using any pre-written material. It all happens in Atlanta at Relapse Theatre, a venue operated by Bob Wood who tells his own unbelievable story of how he slowly and maybe with some questions of legality, converted an abandoned church into one of the best comedy venues in the country.
-3
An Indian anthology film in the Kannada language, it is comprised of seven short stories across genres. The film is the work of seven directors, seven musicians, and seven cinematographers, and is a tribute to the legendary filmmaker Puttanna Kanagal.
2
A politician (a brilliant and well-liked mayor from his fellow citizens, candidate for the Chamber) clashes with a graduate, disappointed and against the current dancer.
-1
London's Soho district in 1959. Through the eyes of a group of friends with a Bolex camera and counting on the experience of some seasoned observers a secret society is unveiled.
1
Witness heavy metal history as Kittie takes the stage for the first time since 2013. Featuring line-ups from multiple eras, this 20th anniversary reunion show served as the after party for their all-encompassing career-spanning documentary, "Kittie: Origins/Evolutions." Expect unforgettable heavy, fast and aggressive metal from a once-in-a-lifetime performance twenty years in the making.
1
A reluctant faith healer tries to escape his troubled past, but his evangelist mother will stop at nothing to exploit her son's miraculous gifts.
-1
A narcotics officer engages in a cat-and-mouse chase to capture a powerful criminal kingpin.
0
Two brothers hitch hike across Tasmania to get to their mother's funeral.
0
When sixteen-year old Andy inherits her grandfather's orchard and becomes the ward of her aunt from the city, she must navigate the path to her future from a small town where choice and agency have never been options for young women.
0
Directed by Vikinish Lokarag Asokan, this romantic drama film stars Vemanna Appannah, Yuvaraj Krishnasamy, Vanessa Cruez and Sathis Rao Chinniah.
1
On the anniversary of a tragic accident, four adults reunite for a weekend by the lake. Slipping into the familiarities of their close past, home comforts soon turn to hidden truths. As the secrets ripple out, the siblings, friends and lovers are pushed to face each other like never before in a night that promises to change them forever.
3
Elton John opens up about his childhood, stardom and battles with addiction in an exclusive interview with Graham Norton.
0
In the process of getting back his beloved vehicle that gave him everything he needed, Guddu Shukla and his friends get into major trouble with the most dangerous criminals in Banaras.
-2
Amid the opioid and suicide epidemics, increasing numbers of veterans are turning to cannabis as a safer alternative to pharmaceuticals. Unprescribed reveals a history of prohibition steeped in racism and political motivation.
-3
Welcome to a land of adventure, exploration, and even dinosaurs. Join five fearless friends as they discover the unexpected origins of some of today's most popular trends and tackle relatable issues. These B.F.F.s will be the first to see and do everything-starting with the first-ever best friends' group, Cave Club.
1
The central theme of the film is not only to show stories that link to the casino, gambling, poker players, but also to the stories of the outside world - the game as a lifestyle feeling from birth. Game and all its forms. Playing in the casino area is a game of its own. It is the essence of fun and relaxation, but also the sense of gambling. The world behind the walls, the outside world and therefore politics are the world of even bigger games.
1
Sam is a recent graduate desperate to move out of his parents stuffy downtown condo and back in with the artistic community he cherishes in college, even if it means selling his prized possessions all over Austin, TX.
-2
Menahem Lang, an actor with an extraordinary singing voice, returns to Bnei Brak, the city in Israel where he grew up and a center of ultra-orthodox Judaism. Now in his 30s, Lang left the city at 20, following years of rape and sexual abuse by elder, devout family men in the community. Yet, Lang was far from being an isolated case: his conversations with other abused young men document a cycle of sexual predators and tormented lives.
-3
Aaron Berg is one of the hardest working comics in New York City. As everyone who's anyone in NYC will attest, it is only fitting that he set out to break the world record for most comedy sets in one night.
-1
This is the story of a young, immigrant couple, whose love is tested by real life struggles and challenges on a foreign soil.
0
Bala - an average IT guy, is forced to host 4 random time travellers who land up in his new house until they find their way back. But will they ever leave?
0
A man is found dead in an office. Sonya, a charming 55-year-old woman, has abandoned her family for a love affair with a younger man. The two stories end up intertwining but nothing is as it seems.
1
In a family party that is respected, good music, fun, love, drinks and why not, even a dead person should never be lacking. The Matayana family will experience a rumba on the birthday of the head of the household, Doña Matilde, until they realize that an inheritance is at stake.
1
Based on the MEGA-SUCCESSFUL YouTube channel, HobbyKidsTV, 'HOBBY KIDS ADVENTURES' follows the antics of three brothers - HOBBY PIG, HOBBY FROG, and HOBBY BEAR - as they fly, bounce, zip, and zoom their way through the day. Using Hobby Pig's leadership, Hobby Frog's brains, and Hobby Bear's cuteness, the Hobby Kids use fun, food, and freaking-amazing inventions to avoid their arch enemies, THE SLOBBY KIDS, and make the world a better place.
0
Aditya runs his family business he follows a vegan diet.His dream is to take business to another level and wants his workers to be paid well.But his grandfather opposes against the decision of paying bonus to his workers and challenges him to live their life for a month.
1
A young man slowly loses himself more and more into a dream world and his own nightmares. But what if the dreams are real?
-3
Rodrigo Díaz de Vivar, whom History knows as El Cid Campeador, is an essential figure to understand the Middle Ages. His legend has endured throughout the centuries to become a myth. In this documentary we will discover his character as a military leader, a mercenary or a undefeated hero in hundred battles, but also as the man, with his virtues but also with his defects.
0
A comedy of the tragic life of someone who must live like the people around him despite his own preference. The Human Comedy is a comedy narrative of the tragic life of a person who finds himself doing as the Romans do unwillingly.
-2
Taped in front of two sold out crowds at the Studebaker Theater in his hometown of Chicago; this stand up comedy special is the culmination of Barry’s real life experiences interwoven with over fifteen years as a stand up comic.
0
When his wife goes missing, Arvind must solve the mystery of her disappearance before time runs out and he becomes the prime suspect.
-2
The stunning, awesome, majestic, chilling beauty and grandeur of the Antarctic and its wild creatures.
4
Comedian Jay Mohr tells stories from his life and gives us a wall of his famous celebrity impressions. This extremely personal look into his interesting life is full of great stories and hilarious observations.
4
"Hysterical", "unmissable", "magnificent", "profound" are all words. Coincidentally, Wake N Bake, Rohan Joshi's first stand-up special, also has words. After almost a decade in comedy, one of India's foremost comedians and online has words to say about life in one's thirties, home renovation, (thrilling, we know), not being cut out for marriage or roadtrips, and living a 420- friendly life (oh so now we have your attention. Typical). Some of those words are even funny. The seamless hour-long narrative is a tour of all the things that keep Rohan up at night, which, as it turns out, is pretty trivial stuff, because he's basic like that. It's an hour of comedy you'll never forget for five minutes.
5
Summer 1989, East Germany. Adam works as a tailor, Evelyn as a waitress. They are planning a vacation together when Evelyn finds out that Adam is cheating on her and decides to leave for the holiday on her own.
0
Lena is a talented obstetrician and gynecologist. Her husband, Sergey, is an actor in a provincial theater. Their relationship is tender and close, but devoid of sex. Lena suspects that Sergey is having an affair and suffers silently, trying not to let her jealousy show. Unsure of how to deal with the situation, Lena decides to fulfill her own desires...breaking away from Sergey and the woman she once was.
-4
The comical misadventures of a genius man who after creating a female robot, must pretend that she's his girlfriend after his family mistake her for a real girl.
-2
Seong-cheol is a high school student who grew up neglected. In order to make money in a harsh society that abandoned him, he teamed up with Gi-joon, who is two years younger than him, to use his status as a minor to make money and seek a big blow. A father who left home, a sick brother and a mother whose cares for him. Seong-cheol, who was abandoned in hellish reality, starts a desperate survival in his own way.
-4
Thief breaks in politician's house and politician's affairs are revealed. Based on play by Italian author Dario Fo called Non tutti i ladri vengono a nuocere, translated to Marathi-saglec chor kahi lutayla yet nahi-kelyane bhashantar
-1
The Ponce family is the perfect family that lives in the quiet mountain town of Bambito, Panama. Federico is a successful father. Carol is the loving mother of three wonderful children. Despite perfect appearances, Federico and Carol share a secret: when they have a date night, they are accompanied by Lizzie - a fun and confident woman who is actually Federico dressed up as a woman. What perhaps began as a fun game, soon becomes Federico's struggle to keep his family together and save his own life when he chooses to undergo gender reassignment surgery in Thailand.
8
Lord Shiva accuses Yama for saving the life of a criminal-politician when the latter tries to stop a little girl from dying. Yama is given a few days' time to rectify his action.
-1
This is a story of the violence and coercion that underlies our modern societies. Most of the time, our interactions are peaceful and consensual, but there is a large notable exception. The state maintains its power and ability to create law by the constant threat of force. It prohibits competition to its authority, and in this sense, represents a monopoly.
0
A look at the rise of racism in modern football
0
A 16-year-old girl embarks on a journey of life where she deals with understanding herself, the changing world, bullying, academic pressure and her transcending journey of first love.
0
Based on the best-selling novel by St. John Greene, the film is a heartwarming story of a woman, with cancer, who makes a list of memories to help her husband (Rafe Spall) raise their sons, after she is gone.
1
After being a mainstay on the comedy circuit for 40 years, Howie takes the stage at the comedy club that bears his name in Atlantic City for his first stand up comedy special in over 20 years.
0
Tammy went back to her hometown and performed at her high school. It's easy to make strangers who found you in success laugh, but how about people who knew you before puberty? In an 80s flashback, this former captain of the cheerleaders became the most likely to make you laugh!
1
A one legged fairground salesman takes pity on a hungry gypsy girl and buys her food.It is the beginning of a sweet romance.
0
Atlantis Untold is the story of an unexpected journey by brother and sister Jack and Skye Noble, who are forced by circumstances to try to conquer the opposing forces of an inner world. Decending deeper and deeper into unknown spheres, the two travelers are guided by unexpected forces of light and hindered by relentless forces of darkness, until their struggle brings them to the legendary City of Atlantis.
-4
After many harvests - Honza and Klára became the parents of the twins and the owners of the winery. However, everyday worries have alienated them and they are currently living separately. This is the story of the renaissance of their love in the beautiful landscape of South Moravia. For Klára and Honza, the decisive time of the wine year is coming - the vintage. Under dramatic circumstances, Honza meets his friend Jirka after years. He enthusiastically rushes to visit Moravia to help with the harvest, which of course he does not understand at all. At the same time, they hide from Honza that he has kidnapped his adolescent son, Cuba, who is traveling with them, and he also runs away from the debts that he managed to hack during the time they had not seen each other. Honza and Klára have problems over their heads. In addition to marriage, he solves how to help a failing winery and prevent theft in vineyards. In addition, Klára struggles with the plots of the employees and the prejudices of the surroundings, who do not believe that as a woman she can make quality wine and exceed the shadow of her father.
-3
Recognized as one of the most influential and most watched content creators in the world, Dude Perfect is a group of 5 best friends who have given a whole new meaning to the term sports entertainment. Now, for the first time ever, they are telling never before told stories behind 10 of their favorite trick shots. This behind-the-scenes look includes special, exclusive commentary from Dude Perfect as well as an all-new, never-before-seen trick shot.
4
When you steal from the Devil, There will be Hell to pay.
-3
Archival footage and personal testimonials present an intimate portrait of the life and career of legendary NHL tough guy Bob Probert.
3
As a sex worker (Liberty) desperately searches for housing after recently discovering she is pregnant, her ex-boyfriend/pimp (King) battles with supporting his family. Meanwhile, an undocumented teen (Augustin) struggles to survive while he sleeps on the streets of East Oakland and is pursued by a bully who he encounters in a homeless shelter. Lastly, we follow the story of Wei-Ling whose son Jimmy must now find the money to support his Father who dies of a heart attack while collecting cans.
-2
Riki, a young Sumatran rhino, lost his horn, which was stolen by a hunter. Riki goes on an adventure with Beni and gets horns with a hidden power.
-2
Rowdy Jonas, 11, longs to spend the summer exploring the Slovakian countryside with his cool Grandpa Bernard, but his exasperated mother plans for him to go to the seaside instead. Jonas sneaks away from home and takes the train by himself to his grandpa’s. Upon arrival he finds his grandpa grumpy and moping. Luckily, his brave and tomboyish neighbor Alex befriends Jonas and together they create a scheme to raise money for a raft of their own. Their illegal racket creates an uproar in the village, lands Grandpa in jail for a crime he didn’t commit and causes Alex and Jonas’s friendship to fray. Will Jonas find a way to repair the mess?
-5
Actor, Comedian, and Social Media Superstar Celeste Barber exposes the stories behind some of her most famous Instagram celebrity parody images, her new relationships with famous people, the pitfalls of being married to someone so much hotter than her, and what it’s like to be an Anti-Influencer.
2
Meet the men who stood up for their rights by sitting down at the counter of the Rock Hill, SC Five and Dime. They asked for a cup of coffee and were instead met with violence, police brutality and unjust imprisonment. A small town miles from Charlotte, NC, Rock Hill became a landmark of the Civil Rights Movement, one that too few remember today. Students of Friendship College took on the weight of discrimination under the banner of non-violence and 'Jail No Bail.' The tactic spread across the South, inspiring protesters to no longer fund their own oppression through bonds and fines. The courage of these men ignited a passion and furor that rose into the famed Freedom Rides.
3
Kicked out of their home, a young girl and her blind young brother go searching for hope on the mean streets. A story about love and overcoming difficulties.
-1
The first black police chief of a small racially divided town lowered crime with community style policing. But after he was abruptly fired, the battle over why he was let go raised the consciousness of the town's black population
-2
Welcome to the North West Cannabis Club in Portland, Oregon where you better be ready to get a contact high off the comedy of the one and only Matt Besser. Take an introspective journey through the universe that's filled with love, laughter, songs and jokes. And be ready to smoke weed in all the different ways one possibly can. Oh, and don't be a narc!
2
An ensemble office dramedy centered around a young woman who begins her career at a prestigious investment bank only to discover that Wall Street is more ridiculous and sexist than she ever imagined.
0
Story of a group of people who must navigate the dark and dirty games of Kerala's underworld as they chase illegal money.
-3
A carefully assorted platter of raw but delicate jokes skillfully assembled with great care and precision from thinly sliced observations caught from the sea of existence of humanity on planet earth that leaves your soul feeling cheerful, happy, content and light.
4
New York is an amazing town with tons of very cool things to do. Nick Griffin doesn't do any of them, but he likes knowing they're there. The only thing that really matters to Nick is his show. Which is tonight at the Comedy Cellar.
3
Greg Warren is smart enough to understand what he doesn't know, and it's in his common-sense attempt to understand basic agriculture, home repair, or finances that he harvests the ridiculous and absurd.
0
The story of a young man struggling to become a provider for his child and soon finds himself under the attack of a one sided child support system.
-1
A tribe in a mountain tries to save their land from a greedy estate owner.
-1
Comedy series featuring a mix of stand-up performances and behind-the-scenes documentary footage of Craig Ferguson's 50-date tour of North America.
0
Aishwarya, a young and beautiful woman who is just starting college, is trying to move on from her previous relationship. So she is not interested when one of her new friends falls for her and tries hard to earn her love and attention. As their love story develops, a murder suddenly occurs.
0
Japan’s government has enacted federal restrictions on superhero activity through special ID cards developed by tech conglomerate, Vector, for monitoring and tracking. Soma Kusanagi, a part-time superhero and full-time social miscreant, has become a tester for Vector’s latest model of super suit. With this technology, Soma can transform into the Variable Combat Soldier, Strega, the latest in villain-bludgeoning power!  In the midst of his deviant escapades, a shadowy plot to turn the whole of society into monsters is taking shape! Unless his libido isn’t kept in check, Soma and new partner, Sayuri, must uncover and stop this mysterious plot before it’s too late!
-7
A Very uniquely blended love story of different kind which revolves around a boy who so deeply involved in family matters, that he has crossed his age of marriage. Until one day when he falls in love with a very strong and independent women and realises his love for her as they belong to two different world.
3
A new generation of young footballers led by, among others, Dani Ceballos, Fabián or Mikel Oyarzabal, faced a complex challenge: to achieve the fifth UEFA European Under-21 Championship. A defeat in the first match and different sport injuries increased the difficulty of the objective.
-1
A comedy about retired tennis legend attempting to win his life back by competing in a tennis rematch to win his very own tiny home.
2
Karen sings and plays the trumpet in a vigorous rock band in Brasilia, but no one there is interested in it. At 27, she has lost hope in the city her grandfather helped to build. She follows in the footsteps of her ex-partner in the band, Artur, and tries her luck in Berlin.
2
"Marionette Land" is an intimate portrait into the wonderful world of Robert Brock, a man who lives above his own magical marionette theatre with his mother, Mary Lou. Brock creates and performs classic marionette shows for families as well as grown-up shows where he straps on his heels to become famous Hollywood divas of the past. But new personal and professional challenges emerge as Robert and Mary Lou struggle to keep the marionette theatre open while preparing to celebrate its 30th anniversary.
6
Tarawa was the most strongly defended island in the Pacific which the Japanese boasted that a million Americans couldn’t take the island in one hundred years. On Tarawa the Marines faced their sternest test yet.
0
Celebrate the long and storied history of one of the world's most recognizable icons, Maserati. From humble beginnings into a small Italian garage to the coveted and luxurious automobile we know today, witness the evolution of the business, the brand, and the cars themselves over 100 years. Featuring interviews with the Maserati family, world-famous racers, collectors, and more.
4
A young woman moves to Canada with her boyfriend to get married with the help of her friend, but finds herself trapped in a web of lies and deciet.
-2
Set in Fall 2001 at Blair University, a motley crew of college students spring into action when forced to face a campus-wide mental health crisis.
-3
In this undercover investigation, Nawal al-Maghafi exposes a secret world of sexual exploitation in Iraq. Some Shia clerics are using a controversial practice called ‘pleasure marriage’ to groom vulnerable girls and young women and pimp them out.
-2
The security guard of a mall, who belongs to the Gurkha community, becomes the saviour of several people who have been kept under siege by some terrorists.
-1
Kirill is nearing forty, and he has always managed to avoid any kind of obligations in life. He has never been married, he has no children, he had once won the European championship of mixed wrestling but he is not interested in victory anymore, only going to the ring to earn money. Today is no different from yesterday; disposable dishes at home, disposable women, never a thought about the future. One morning, however, Kirill meets in his kitchen a five-year-old Victoria, daughter of one of his one-night stands. The girl tells him that he is now her father and she will live with him because her mother left her with him. Finding out who the girl is, where she is from and whether she is his daughter, Kirill gradually starts taking care of the girl, feeling responsible to her and finally becomes a grown-up himself - to fight and win.
3
Brash Boys Club, one-night of stand-up, gay comedy featuring three diverse comedians each doing a half-hour set.
-1
The faith of a Christian couple is tried, especially when all fingers are pointed to the husband as the cause of their troubles. He must protect his wife while still managing to keep his faith.
2
A defending lawyer uncovers the hideous truth about his client's wife.
-1
A sports documentary series that goes behind the scenes to follow one of India’s most celebrated Pro Kabaddi league team - the Jaipur Pink Panthers. The narrative is built around the struggles, pain and the journey of the players, coaches and their ultimate journey towards success.
0
Yuta, a young master at the Tsukiji Fish Market, accidentally drops his meal of mixed seafood into the Sumida River. Some time afterwards a gigantic mutated squid monster arises from the depths and begins to wreak havoc upon an awe-stricken Tokyo. Attempts by the Japan Self-Defense Forces to stop the creature prove futile. As it seems things couldn’t get any worse an enormous mutant octopus monster emerges from the deep and heads into a clash of the titans with the gargantuan squid! As a last ditch effort, the government forms the “Seafood Monster Attack Team (SMAT)” and an all-new plan of attack is immediately put into action. But just as the tide appears to be turning in humanity’s favor, a colossal crab monster appears, joining in the Monster Seafood Wars and plunging the world into culinary chaos…
-10
Yeon-su, the police officer, is dispatched to an island and starts to witness strange situations. Yae-un, who lives in the island after she lost her parents when she was young, and the others´ behavior terrifies Yeon-su. Film director Park who constantly focused on stories related to human greed and collapse, deeply explores the guilt of human and the possibility of redemption again.
-4
Natalia is thirty-year-old, lives alone, works at a design studio and likes her live as is and has a best friend Simona who is freshly divorced, and her 11 year old son goes to live with his father Stano, forcing her to start her life from the beginning. Natalia falls in love with widower Marek. But life is not always just a nice dream and sometimes it is necessary to fight for it.
4
Innocent teen Bethany Lockwood from Toronto to Prince Edward Island with her overprotective father, and quickly becomes acquainted with the colour locals on Pogey Beach.
0
A random explosion connects three stories of strangers seeking a way to survive on the edge of legality.
-1
In the splendid setting of the Cilento, Francesca is preparing for her wedding but feels that something in her life is not quite right. Surrounded by her longtime friends, with wedding preparations in full swing, she begins to ask herself important questions and to look  for answers where she has always built her most solid certitudes, as ever finding help from her counsellor, Don Fabio. She will end up stumbling on a truth that will completely subvert the tidiness of her life, questioning her tenets, only to realize she is ready to find herself.
4
An adventurous road trip of two lovers is being captured on camera by a crazy video crew, along with an insane group of musicians who intend to turn this footage into a music video for a music company contract.
0
A comedy about a platonic love triangle between a woman, her best friend, and her therapist.
2
The employees of the Industrial Zone Branch of the Banco Nacional Obrero, after a long vacation, must return to work and resume their routine, something that will not be easy, because their bosses came up with the idea of conducting a survey of work environment, which will reveal true personalities in the office.
3
Track the main events of World War II with the help of remarkable archive footage in this extensive 24 episode series, which shines a spotlight on this monumental period of history.
3
Jestination Unknown is an attempt to answer the question, what does India find funny? The clubs and pubs of India's metros are only a sliver of an answer to that question. English stand-up comedy maybe new in India but comedy itself isn't new to the country. The people of this country have laughed at kings, foreigners, neighbors, relatives, and more importantly, themselves. In a time when jokes are considered offensive, what if India answered otherwise?
-4
Neeti Palta talks about her non-strictly-traditional upbringing by her mom and army dad, buying condoms for her older brother, arranged marriages, and society's expectations from her that she gleefully fails to meet.
0
Keyshawn Watson and T.A. Smith were living a life on a rail of razor blades. With targets on their backs from gangsters in the gritty streets of Milwaukee to crafty personnel at the F.B.I., demise or a lifetime in federal prison seemed to be the only conceivable outcome. However, the assistance of Li Chan; an agent with the bureau gone bad; granted them the advantage needed to level the playing field. All appears to be well, until a series of brutal murders aggravates some of the city's top officials. In turn, pressure is applied on the F.B.I. to conclude its field work and bring them to justice. At the same time Chan's partner, Greg Daley, discovers her unethical dealings with Keyshawn and decides to embark on a scheme of taking matters into his own hands. Then suddenly - within the blink of an eye, the pursuit of money transforms into a frantic chase to preserve their life and liberty.
-6
Hannah, a burnt out, mega-music star, returns to her small Northern Michigan hometown of Lost Heart, for her estranged father's funeral. There she will confront the ghosts of her past and perhaps find her peace and balance once again.
-2
Hye-jeong, a lonely young girl who has drifted away from her family and avoids personal relationships, works in a factory, lives in a shared apartment, and leads an insipid and meaningless existence until one night she discovers that she has become a ghost.
0
Narrated by Dan Aykroyd, Defend, Conserve, Protect, pits the marine conservation group, Sea Shepherd, against the Japanese whaling fleet, in an epic battle to defend the majestic Minke whales.
2
To fight the corruption in Punjab university, senior student Sandhu announces his candidacy as Grewal for the election.
-1
A documentary exploring the historic roots and ongoing relationship between racism and American Christianity.
-1
When his wife goes missing, Arvind must solve the mystery of her disappearance before time runs out and he becomes the prime suspect.
-2
Gisella dreams about writing important things, genuine things, and quits her job at the newspaper after yet another article is insensitively edited. She contacts a recently started alternative paper, where she is given the proposition of writing an article about the living situation among immigrants. Through her research she meets Marisol, Abeba and her daughter Lucinda, who live in a barrack by the harbor. To help solve their financial troubles, she invites them to live in her large house that she inherited from her grandmother. At first everything works well, but soon the mutual respect between the three women turns into a power struggle and hospitality is replaced with rules and a system of punishments.
2
Jaggu is faced with a crisis when he isn't able to fulfill his wife's dreams of a better lifestyle or his mother's wish for a grandchild. Jaggu's wife will bear his child only when they become rich and his job as a recovery agent doesn't seem to help. Jaggu gets a job offer from a bank where he must capture a criminal who absconded with lakhs of money. He sets up a team of misfits to travel to the UK where he must capture the clever criminal and collect his reward.
1
To uncover the truth of American Ranching Heritage and Culture through the eyes of North, Central and South American Cowboys. "Cowboy Without Borders" follows the story of Gaston Davis, a 6th generation Texan from a ranching background, as he explores ranches from Montana all the way down to Argentina, and everywhere in between. He works alongside American Cowboys from North America to Central and South America. Although the focus is on cattle operations in these countries, the heart of the story is discovered when the viewer recognizes that although thousands of miles apart and decades separated by advancement and technology, the heart of the American Cowboy remains the same, and they will forever serve their people on their respective frontiers.
1
Revolves around a family, in a village, where cops are regarded as kaaval deivam similar to Aiyanaar and Karuppan and most of the members of which have been in the police force for decades. All, except for One person, who vows to make his son a cop one day, despite troubles from supernatural forces..
-1
Imagine two flowers pollinating on screen for 75 minutes - welcome to Aravind SA's "I Was Not Ready Da". This is that show that the whole family should watch - just not together. From his teenage love for white people and chatroom, to his all inclusive approach to strip clubs in America, SA walks us through many such contradictions of traumatising Sanskrit tutors, to provoking news anchors in their own shows. Get ready to meet SA, the man who is finally ready to tell you about the times life threw shit, and he hilariously took the hit.
3
After finalizing their divorce Noah and Moriah find themselves going from lovers to roommates. Moriah has moved on already and began dating her co-worker Anthony, 6 months before the divorce was final. Noah is still in love with her but find himself falling for a waitress named Rochelle.
1
In the midst of quarantine in 2020, a girl starts to experience supernatural events that will take her to the limit.
-1
This film follows a retired Border Patrol agent (Dante) as he discovers the possible existence of Bigfoot and the shroud of darkness that surrounds it. Unsure what he should do, Dante is resigned to do what he must to protect his family. He soon discovers further complexities in this hidden in plain sight world.
-3
While walking their shiba dogs, 3 middle-aged men meet at the park everyday. They do not know each other's names. They keep their distance, but chat about whatever is on their minds.
0
A profile of two men who go to exceptional lengths to improve – and in some cases, save – the lives of those with nowhere else to turn.  They risk their freedom by supplying black market medicinal cannabis to thousands suffering from chronic and terminal illnesses.
-1
"Quota" is all about the underprivileged children with families whose dues are yet a question in the society.
0
Texas. The home of barbecue, The Alamo, and Steve Treviño. In his latest special, Til Death, America's favorite husband gives us a bitingly honest take on the day-to-day joy of marriage, kids, and living life with your best friend.
2
Dushon is down on his luck and is always bailing out his cousin, Kenneth, who has serious baby momma drama. He is also, always covering for his best friend James, who is an arrogant successful music producer that constantly cheats on his wife. Everything changes when the beautiful songstress next door, Jasmine, moves into town. Dushon quickly falls head over heels for Jasmine giving her all of his time and attention. Emotions erupt when Kenneth suspects Jasmine is only using Dushon to help her land a major music deal with James. All the drama forces Dushon to make a tough decision to choose between Friends, Family and Lovers.
2
After the police inspector Kunthavai picks up a complex murder case for investigation, she takes the help of Danny, a smart police dog, to unearth a gang of dangerous criminals involved in serial killing
-4
Fridges, birthday parties and cockroach baba cults. In his latest special, Naveen Richard brings together some tasty observational comedy that has proven to be relatable 9 out of 12 times.
1
Arjun aka Ramakrishna is a RAW marshall from Delhi who has a 100% success rate at nabbing terrorists. What happens when he makes enemies out of India's most wanted Ibrahim Qureshi and his son Sohail?
0
Set In Liverpool, the story begins when ex -Fighting champion Danny's 8-year sentence is over, he returns home to a revelation. Not only is his beloved gym under pressure, his childhood sweetheart Sam and their only son Connor have been covering a huge secret. Sam is unsure how to reveal and handle the whole situation and both are terrified to tell. Only one thing's for certain. ALL OF THEIR LIVES WILL CHANGE FOREVER
3
A hardworking, uptight young woman who lives a dull and routine life, goes running one night and witnesses something that throws her life into chaos and puts her in situations she has never been in before.
-2
An anachronistic public access TV channel plays host to a self-help guru with one goal- to scare viewers out of whatever addiction may be plaguing them. Eight international directors take on these stories, presenting horrifying shorts focused on the darkest and most surreal side of addiction.
-1
Lina Wang's directorial debut  is a poem to her hometown, portraying a Muslim farmboy’s relationship with his deaf-mute mother, his friendship with a girl, and his parting from them.
0
When the ancient Indian beats of Oddissi combine with the rhythms of the West African Djembe and the vibrant Spanish Flamenco, a new kind of sound is born. 'Three Worlds, One Stage' demonstrates the positive power of multiculturalism through the lens of dance and music. It is a story of immigration, determination and hope - an American narrative at its core.
2
Brian, a stand-up comedian whose life is spinning out of control, has to deal with kidnap, then escapes and had to search for his would-be murderer who has ordered the kidnap.
-1
A professional surf photographer chases down the largest surf ever seen in hopes of capturing a once in a lifetime image. What he receives is much more than that.
0
Gajendra is a kind-hearted man who lives a happy life taking care of his family and the people around him with utmost affection. He has chosen to be a bachelor and hates the term marriage and since his own brothers have to seek his permission for their own marriage proposals they come up with a plan to make him fall in love.
1
Recorded live at The Paris Theatre in his hometown of Portland, OR, Matt Braunger offers insights on the world, the bad decisions that have shaped him, and how they brought him to find his better half. Braunger talks about the mistakes he’s made and, if not maturity, the perspective he's gained with age.
1
A father who works as a peon in an office strives to ensure that his son fulfils his dreams. Later, his son falls in love with a girl and starts to rebel against his father.
1
Set in the British seaside, Beautiful in the Morning is a coming of age story about Marielle, a girl who reconnects with the women in her family over a summer, only for them to be torn apart by the arrival of an intrusive stranger.
-1
Yoav's demons start haunting him after his best friend becomes pregnant, without telling him, and after his boyfriend of 15 years starts talking about children, too. His life unravels, and self-destruction seems inevitable.
-2
A young mother must work as a taxi driver while her sick husband is in charge of the house chores.
-1
Steve Treviño's new comedy special is about his life in quarantine. On September 12th, 2020, Steve Trevino performed this once in a lifetime show outdoors, in-front of a masked, socially distanced audience.
0
A dead man is given a second chance at life to find love, but his time is limited.
-1
A group of unlikely allies modernized college sports and changed a small Midwestern town, serving as a parallel to the Civil Rights movement that would transform the entire American society.
0
A romantic film directed by Sam J Chaitanya, starring Abhishek Reddy, Ayesha Singh and Bhanu Sri in the lead roles.
2
A follow up to NTR: Kathanayakudu which was based on N.T. Rama Rao's life and acting career. This movie will focus on his political career.
0
Olympic hopeful sees her dreams shattered only to be guided to champion a more meaningful cause.
3
His daughters chose the title of his new stand-up show but don’t let it fool you - Hal’s no softie as he tackles subjects like suicide, obesity, and celebrity deaths. With top notch observational humour, cheeky gags and some of the most phenomenal dad dancing you’ll ever see, this set will satisfy your comedic hunger, and then some.
2
Prepare yourself for five twisted tales of terror hosted by everyone's favorite sinister succubus, Dr. Boobenstein. Featuring vicious vixens, flesh-eating mist, Vengeful Aztec gods, talking corpses, sinister Santas, and more. So sit back, turn out the lights, and get ready for your worst nightmares to unfold.
-7
NIGHT CRUISING follows congenitally blind musician Hideyuki Kato as he pursues the realization of an expansive sci-fi short called Ghost Vision, a film within its own making-of documentary. Working with a media production team and wide range of collaborators—including color experts, facial roboticists, hair stylists, voice actors, fight choreographers and VFX engineers—Kato directs the execution of his story about a non-sighted fighter and a telepath searching for a mysterious ghost in a future world. His pursuit becomes a deep interrogation of how sensory environments are perceived and rendered, offering new ways for viewers to think through their own assumptions about cinema and imagination. -JAPAN CUTS: Festival of New Japanese Film
-1
Chief Ademuyiwa, an accomplished businessman with over eighteen companies, whose success is attributed to a code, but centered on a heist, is targeted at him by Dare Olusegun, an attractive conman.
3
Thottu Vidum Thooram is a Tamil movie released on 3 Jan, 2020. The movie is directed by VP Nageswaran and featured Monica Chinnakotla, Vivek Raj, Bala Saravanan and D. Singampuli as lead characters. Other popular actor who was roped in for Thottu Vidum Thooram is Livingstone.
2
A celebrity couple look like a perfect pair in the eyes of the media, but their relationship struggles behind the scenes.
1
Struggling wrestler and his friends take a shortcut to the event through a corrupt town ran by drugs and find themselves in the middle of a blood feud between the gang and a psychotic clown on meth.
-2
Led by the eccentric visionary Freddie Mercury, Queen conquered the world. Who is the man behind the voice and how did a young boy from Zanzibar become The Ultimate Showman?
1
Wife, Mother, Arab, British, Muslim...Esther is on a mission to show you what life is like when you can't meet the expectations of your identity. From battling ridiculous comments online to facing head-on confrontations in person, in this assured and witty debut Esther asks what happens if you decide to reject the role of the Crusader.
-1
Mira in her late 40's has been living in Paris for around 20 years. Having just divorced her French husband, she decides to visit Korea, and meets her old friends Young-eun and Sung-woo. While having a cheerful time in the bar, Mira goes to the toilet and after she returns, time is reversed back to 19 years ago. It is the day of Mira’s farewell party, before she left to France.
1
So what if she loves money, don't all mountain bandits love money? For a chest full of gold, the mountain bandit offers herself up to the black-bellied prince thus marking the start to a beautiful romance. Chang Le was once a free and untamable female bandit. However, she becomes a fake bride in marriage to crown prince Li Che. Stepping into the confines of the palace, Chang Le finds it difficult to adjust after being repeatedly humiliated. Despite her situation, she learns to adapt like a feral cat showing her true stripes. Li Che who has traced every step vigilantly finds himself gradually attracted by Chang Le's liveliness. Each wearing a mask to hide their own motives, the two people find comfort in each other.
5
A young woman, kidnapped and held in a basement, must use all her wits to control the situation from the confines of her cell and get out alive.
0
it's the journey of this boy on his quest through all the hardships, hurdles and circumstances. All in all, the film is a gritty tale of how you can strive to make all your dreams come true.
-2
Survivors of the plane crash that killed members of the band Lynyrd Skynyrd give firsthand accounts of the tragic crash and its aftermath.
-3
Kalki is an ardent follower of pigeon racing, which ultimately leads him to working for a mob boss who shares the same passion. Howevere, his dream of becoming a champion in the spot and his quest to win over the girl he loves wil eventually leave Kalki at a crossroads, and what happens next forms the crux of the story.
6
Sometimes the worst thing that happens to you can become one of the greatest. From being dyslexic to starting a wrestling career at 35, to risking it all for a new dream of saving lives.
0
The failed actor Rui (Pedro Monteiro) inherits a millionaire apartment from his father and decides to put the sale on to realize his dream. Rui wants to star in a remake of a famous film by Chuck Norris fighting in Vietnam. At the same time he must try to sell the apartment, negotiate the rights to produce the film and still deal with his love life.
2
Two playschool friends Bachchan and Gokhale meet almost after 70 years for a birthday party.
0
"Spring into Harvest Hills" is the second TV special produced for the Enchantimals cartoon series. The TV special ties into the Harvest Hills line.
0
The legendary Bigfoot begins a gruesome killing spree when a group of free-spirited college students intrude on his territory.
-2
Marina Franklin returns to her Chicago roots to celebrate and unpack what it means to be 'woke' in these confusing and tumultuous times. Franklin offers us a hilarious yet honest glimpse into the challenges of navigating America's complex blah blah blah.. oh yeah and dating.
-3
Each year six in 100,000 men are diagnosed with testicular cancer. But this time cancer picked the wrong man. The protagonist of the film is a real loser - radio DJ Chuck Berger. His wife wants to leave him, his boss wants to fire him, and if this wasn't enough - his testicle wants to kill him. After getting diagnosed with testicular cancer, Chuck's afraid he'll be a man without any balls whatsoever. While starting to fight this difficult disease, Chuck discovers the power of humor and honesty. But will his wife Helena - who was considering divorcing him - and other people close to him remain true to themselves on this journey? When Chuck informs his boss, Hendrik, about his situation, the two men form and unexpected friendship. The head of the radio station encourages Chuck to be as honest as possible to his listeners. As he bares his soul and makes people laugh, his radio show "The Chuck Band Show", becomes extremely popular.
-4
Judith, a struggling artist, gets her dream job of working for a renowned visual artist named Roberta Roslyn. While cataloging Roberta's work she is shocked to keep seeing a girl who closely resembles herself, she learns that this girl is actually her boss's missing daughter Maddy. As she investigates the mystery of just what could have happened to this girl, she starts to develop a new persona and it comes to a point where she must decide if she is to leave her job or continue and risk losing who she is.
-3
A village that is being modernised by the efforts of the chieftain's daughter is rocked by a series of mysterious murders.
-2
An ex-surf pro is forced to take a job at a beachfront hotel teaching obnoxious tourists how to surf. Soon he's the tennis pro, the yoga instructor, the handyman--he might even be the key to saving this family-run, Hawaiian-owned hotel.
-1
Opera star Jonas Kaufmann is known as the "King of Tenors". This emotional and personal film reveals the man behind the star. Here he is chatting with friends, rehearsing for the next concert or simply enjoying family life with his wife and children. Jonas shares his passion for coffee and cooking as well as his deep love of music and recalls the stepping stones of a career that led from humble beginnings to world fame. This Amazon exclusive documentary is filmed at the tenor's lakeside home in the Bavarian Alps and includes contributions from his family, friends and collaborators; allowing the viewer a unique insight into the personal life of one of the most renowned singers of our time. With Tis Amazon Exclusive documentary was filmed in his lakeside house in the Bavarian alps. Bavaria. Emotional and personal, the Amazon Exclusive documentary "Jonas Kaufmann - A world star in private" provides an insight into the family life of the multi-award-winning opera singer. Told by his accomponist Helmut Deutsch and Thomas Voigt (music advisor) we learn about his career from the beginnings to world fame. We also meet his long-term friends Judith Williams and Alexander-Klaus Stecher. Cooking lunch, sharing childhood stories or playing boccia with friends, Jonas Kaufmann gives us a very personal insight into his life.
10
After learning the truth about his alien ancestry and newfound abilities, Michael Matthews joins a group of local vigilantes struggling to protect their city.
0
Prawaas is the journey of an elderly couple Abhijat Inamdar (Ashok Saraf) and Lata Inamdar (Padmini Kolhapure). Every person has a certain time to live in this world and it's important to understand how one lives his life. Abhijat also knows that he has a certain time to live his life and nobody is immortal. He realizes that there are so many people who need help and he starts helping them in their problems which gives him confidence in himself, a great sense of satisfaction and very unique identity. Abhijat teaches us a very important lesson that there are two most important days in our life, one the day we are born and the next when we find why? when you help others and live your life meaningfully you will be the happiest person on the earth. In the journey of life, we forget to live our lives and become negative. But the moment we realize the correct way to live our life we start enjoying it.The film beautifully conveys to people that whatever is left in their life is something very special.
7
What kind of power is accessible through the discovery of a voice? Morgan Quaintance interlinks two anti-racist and anti-authoritarian liberation movements in South London and Chicago’s South Side with his own biography to explore what happens when speech is ignored, and the voice fades.
2
The story revolves around Zyra Paez, whose relationship with Carl Mauricio has failed. She decides to give their relationship one more try, but soon finds herself filled with doubt over her life choices. The situation gets even more complex when she meets and befriends Ian Arcano, a heart doctor who later become her confidante, leaving her trying to decide whether he may be "the one".
-3
At a rented house, Eddie and his best friends unite for his bachelor party. The next day, though, a fight for sanity and survival begins when they discover there are snipers outside the house and a ghost inside, none of whom want the guys to leave.
2
Melinda Hill uses laughter as medicine in this comedy special about moving from trauma bonding to trauma mending. Imparting insights and crushing confessions punctuated by punchlines in a soul-baring storytelling style, she reflects on transformation, transcendence and triumph of the human spirit. Inappropriate is its own genre where healing meets comedy; it’s heal-arious.
-4
Films about the prevalent system that are told without filters are barely any in Kannada and this sets the film apart. The film does have that little trigger that acts as a catalyst in making you feel uneasy about the world around you.
-1
An investigative officer investigates a sensational and challenging murder case, which has many layers.
-1
One family learns the biggest lessons of their lives in the worst way possible. The term ‘Who’s Your Daddy?’ comes into play in this film - figuratively and literally.
-1
FAK YAASS is a series that tells the 'true' story of Nico Nicolakis' big Greek family and their journey of accepting Nico no matter his sexuality. Showing the clash between old tradition and the new age, millennial Nico struggles with the idea of returning home, somewhere he's always felt judged and unworthy. With the help of his friends, Anton and Jill, we'll watch as Nico's heart begins to let his family in and we'll see his family accept him for who he is, until a secret family scheme may ruin that forever.
-4
After assassinating the President, Amos Otis pleads self-defense and must convince the jury that America was not only under attack by its unhinged ruler - but that his actions saved the country and the world.
-1
Two little curious bees, Sunny and Petal are about to have the best time of our lives. Sharing stories is a great past time, but sharing stories about God is greater than anything. Join in on the fun, as they hear awesome story after awesome story about their Holy creator above. You know bumblebees, and you know honeybees... now get ready to meet the Bible Bees.
7
A geologist goes on a 20 year quest to determine if the physical events reported on the day of the Crucifixion happened as narrated - or not.
0
A true story based on the book of the same name by Devin Sherman. During a 12 day stay in the hospital, Devin has two major surgeries to remove a large cancerous growth behind his eye.
-1
A squad of American soldiers hunt down a suspected spy that escaped an internment camp during WWII.
0
A playwright is led into the world of her own story when one of her fictional characters seeks her help in a kidnapping incident.
0
A remarkable woman named Astrid uses unconventional methods to change the lives of an entire community. Based on the award winning book 'A Promise to Astrid'.
4
In August 1942 US Marines storm ashore on the Japanese-held island of Guadalcanal. The six-month campaign that follows is brutal and becomes etched in Marine legend.
-1
Providing some of the blackest humour you might see in the mainstream, autistic Russian Jewish immigrant Ben is fairly unique in the world of comedy, with the punchiest and driest of quips.
2
In one continuous shot, comedian Elliott Morgan, shares tales of betrayal, stupidity, and brainwashing from inside a historic Los Angeles dive bar.
-2
A 1969 documentary on the carving and raising of the first Haida totem pole in over a century becomes the springboard for a film that restores fullness and richness to the larger story of a nation’s resurgent identity.
0
My Good Chinese Countrymen tells a story about a struggling American writer who goes to China's far remote countryside to be a farmer-teacher.
0
Garden designer Lynden B. Miller explores the life and career of Beatrix Jones Farrand (1872-1959), America's first female landscape architect.
0
Stand-up comedian Nicole Blaine blurs the lines between her jokes on stage and her reality at home. Seamlessly blending her stand up special with footage of her actual family - the butt of her jokes, Nicole creates an intimate, truthful, and searing comedy special unlike any you've ever seen. Nicole Blaine's unique look at life and motherhood has made her (according to L.A. Weekly) "a remarkable performer with brains, beauty and rich comic delivery." Her honest (and crass) observations showcase her (according to Backstage West) "humor, passion, dazzling charm and a naturalness that many performers, or even civilians, would kill for." Life's a Bit is a stand-up comedy special with a heart that isn't scared to explore the truth about parenting, marriage, and a woman's struggle to stay relevant in a world dominated by boys.
4
In July, 2002, Johnny Johnson was arrested and charged with the abduction and murder of 6-year-old Cassandra WilliIn July, 2002, Johnny Johnson was arrested and charged with the abduction and murder of 6-year-old Cassandra Williamson in Valley Park, Missouri. The effects of the crime continue to reverberate in the community. During the capital murder trial, a proceeding clouded by questions of mental illness and competency, a juror described the killing as "the worst possible crime." This film seeks to answer the question: Does the worst possible crime deserve the worst possible punishment?
-11
Nishant Tanwar is back again after the success of his previous special "Dilli se hun B***D", available exclusively on Amazon Prime Video, He has been gathering new experiences, new perspectives and revisiting past memories to present yet another tangy, bone tickling and brand new stand up special with a pinch of India. Swaad Anusaar. This time he talks about his dreams, aspirations, hopes, and struggles. Join us as Nishant takes us through his journey from being an underdog to becoming one of India's most beloved stand-up comedians. So hop on and wear your seat belt because "Gaadi Tera Bhai Chalayega".
1
This stand-up special has observational humor and storytelling with a sparkle of filmy-ness. Hopefully by the end of the show, you too will say- Angad, you are Kaafi Funny.
1
A generous but condescending woman is forced to learn a lesson about real friendship.
0
Two amazing foster girls, "Kat" and "Cee," have an exciting and life-changing adventure running away with their pony "Little Cooper" to find and save their horse from slaughter "Angel."
2
At the Spanish Grand Prix in 1975, former butcher’s delivery driver and ex Formula 3 Championship runner up, Lella Lombardi, became the first, and still only, female driver to win F1 World Championship points.  During one of the most controversial weekends in F1 history, set amid a notoriously dangerous Barcelona street circuit, spectator deaths, driver boycotts, a huge first corner crash, and a shortened race, Lombardi made history and recorded a fete that is yet to be bettered more than 45 years later.  Having broken a truly remarkable glass ceiling through sheer tenacity, Lombardi continued to race, but never reached the same heights again. Her death left behind a mysterious personal life but sparked a powerful legacy for female drivers to aspire to.  For the first time, explore the incredible life of this overlooked sporting and cultural icon, through the eyes of today’s leading female drivers from across the globe.
-2
Toxification of land, body and mind examines the plight of Punjabi farmers through their own personal stories, with the perspectives of authorities and academics.
-1
is a Telugu movie starring Haranath Policherla and Puneet Issar in prominent roles. It is a drama directed & produced by Haranath Policherla. If you are a representative of the production house
1
Ramachandra and Janaki meet up 20 years after graduating high school, class of 1999, at a reunion party.
0
FISH IN A BARREL follows the money in the NRA, details the Russian influence scheme to help Trump win the 2016 election, and presents a compelling case for why the NRA should lose its tax-exempt status.
1
Balu (Munna) and Swapna (Drishika Chander) are adolescents who live in a tiny village called Buchinaidu Kandriga in Chittor district, Andhra Pradesh. Their infatuation turns into love and the couple decide to run away from Swapna’s casteist father (Ravi Varma). What happens when Swapna’s father now looks for retribution
1
Lonely electrician Mark wants to re-connect with his lost family unit, but he knows to achieve this it means re-opening doors to his past he has tried hard to get away from. The key to achieving his goal could also be his undoing and he must decide fast if he is willing to take that risk.
-2
The Texas comedian returns with his third television one-hour special talking all things Christmas including traditions, the pitfalls of having family over, and finding the ultimate gift in this one-of-a-kind stand-up special.
0
A successful writer goes to an abandoned hotel with his wife and adopted daughter to finish his much anticipated follow-up book when strange things start to occur. At the same time, a high school teacher is forced to deal with her gruesome past which is linked to the same hotel.
-1
The Italian Painter Michele is forced by his rich girlfriend to move to a new house in Trieste, abandoning his privileged life. He finds himself in a new world full of extravagant neighbors and unusual situations that will eventually change his values and prospective of life.
0
THE DAYS OF NOAH series investigates the revealing prophetic parallels between the message of Noah and the book of Revelation to uncover as never before, the Truth about the Ark of refuge at the end of time and how to enter into it. These prophecies such as the Antichrist, the Mark of the Beast and others, have left many confused about the events to come, but viewed through the story of Noah and the flood, these end-times events are brought into sharp focus. Discover how the Bible reveals that even today we are living in the very time of which "the days of Noah" were but a symbol, that time is short, God's mercy is pleading with mankind and the door of the Ark is about to close - forever.
2
The middle aged, middle class, Texas comedian talks about life, being married, raising his five kids, and surviving in the middle of an America that is always changing.
0
A peaceful town where all seems to be normal lies a dark cold secret that took the town by surprise as a couple befriended their neighbor/close friends, granddaughter for their own psychopath needs. Which led to the main character, Ambar along with her friends fighting for their life.
-1
A fast-paced, raucous ride across America with four joke-slinging entertainers who know how to party and put on a great show. Get a lighthearted look at life on the road and the high-spirited experience of being Irish in America.
3
A young lady is pressured to get married by her aunt and family members, but finding a man to marry her is difficult until the man of her dreams shows up unexpectedly.
-2
Erica Rhodes is a regular panelist on Comedy Central’s @midnight and Fox’s Punchline. She has made appearances on SeeSo’s The Guest List, Hulu’s Coming to the Stage, AXS’ Live at Gotham and the syndicated Comics Unleashed. Erica has performed at San Francisco Sketchfest, the Moontower Comedy Festival (Austin, TX), the Blue Whale Comedy Festival (Tulsa, OK), the Boston Comedy Festival and RIOT LA Fest. Recent TV credits include ABC’s Modern Family, HBO’s Veep, Fox’s New Girl, and IFC’s Comedy Bang Bang. Erica stars in Audible’s Dr. Katz: The Audio Files and ABC Digital’s The Off Season. She recurs on TruTV’s Fameless and has been a semi-regular performer/writer on NPR’s A Prairie Home Companion.
1
VESTIGE is a revealing of human crave and interconnection amid the fraught race against time of another collapsing species – the rhinoceros.  In the embattled provinces surrounding Kruger National Park, South Africa, a network of individuals risk their lives everyday to save the planet's last remaining black and white rhinos - including a Zulu bush tracker, the world’s largest private rhino owner, a frontline anti-poaching unit and a non-profit organisation striving to empower local communities. As poachers continue to destabilise their environment, VESTIGE investigates the gripping realities of human life and philosophy amid a disappearing species.
-1
A pregnant Naaz (Jividha Sharma) who is given triple talaq by her husband Shaheed (Parmeet Sethi), could not take the shock and tries to kill herself. She is saved by Rasheed (Kanwaljeet Singh) who marries her and gives her a new lease of life. However, when later in life she comes across a triple talaq situation, she chooses to fight it rather than let go.
-2
Gopi was the youngest and first intersexual to run in the Legislative Assembly elections in the state of Tamil Nadu in India. Everyday, Gopi fights for the rights of the intersex people and the LGBTQIA community.​
1
Iran and Spain have agreed to launch a major project on Honduran Island in southern Iran, companies and many people have been keen to win the bid ...
2
An underdog basketball player from Chicago goes on a meteoric rise to become one of the best college point guards in the nation. But while he pursues dreams of the NBA, his success contrasts with the effects of gun violence on his friends back home.
1
All That Matters is about an insurance adjuster who wants to be a travel blogger. His conservative girlfriend wants him to keep his stable job. He meets a bohemian woman who supports his dreams. "Jay" has a decision to make: Live his dream or help someone else live theirs.
1
A Business Fight between Young Entrepreneurs who start an Internet Radio Station, and A Magazine Publishing Corporate. The Internet Radio station hosts a Talk show on Marriage and Matrimony which kindles crazy thoughts among the public.
-1
Janet and Michael are a young couple trying to balance their life and love with one another. When challenges come up that threaten that bond they have to figure out how to keep their love strong or let it go. They have to figure out what love is.
3
Alexander Bennett: Housewive's Favourite
0
Over the last 40 years, China has been transformed out of all recognition. The scale of its growth and the sheer speed of change has been astonishing. The country has seen the largest lifting of people out of poverty that has ever taken place in human history. How did an impoverished and backward communist country become an engine of global capitalism? What lies ahead for this economic behemoth?
-3
Salim Shaheen film from Afghanistan
0
It's about a man and his journey of searching for the lost love. His journey will take you from the city of lakes that is pokhara to the traveler's paradise Sikkim. Fighting the obstacles , will he finally end his search or his search will end his spirit. Only time will tell...
0
A rural youth who has nothing to do and becomes insane due to his persistent pursuit of love.
0
A group of young people, guided by an app which connects living with the dead, find themselves at an abandoned castle. A place with a horrific history tied to each of them, for reasons they'll soon discover.
-2
In May 2016, a team of four adventurers began a three-month, 2,000-mile canoe journey from the source of the Yukon River in Canada to its mouth at the Bering Sea in Alaska. The expedition was made through the lands of the Athapaskan First Nation people who, more than 10,000 years ago, crossed the Bering land bridge from Asia. The paddlers explore the strength of this culture and its landscape, animals, ancestral knowledge and spiritual beliefs. The expedition is a journey of discovery into what being human means to the “people of the river”.
1
The film tells the story of Levi, who after being diagnosed of a life-threatening medical condition, decides to look for and get his childhood love interest (Somi), so they can finally be together before his death. However, Somi is already married, but Levi will not accept defeat.
0
Driven apart by the stresses of life, a husband and wife must face their changing love. Will love triumph through the darkness?
1
A collection of four award-winning psychological thrillers full of surreal surprises and mysterious atmosphere. A girl hitchhiking on a deserted road has a strange encounter, two brothers fight to survive a dystopian world, a Czech girl is on the run with a bag of money and a teenager in a mental health clinic makes a strange new friend who has nightmares. Be prepared to face the uncanny.
-3
Praveen Kumar explains how a Indian middle class family man is much more than a Super Man or Spider Man. He explains the lighter side of day to day difficulties experienced by a common man.
1
Comedian and former backup dancer Kim McVicar riffs about crawling for rappers, pranking her brother in prison, and getting hit on at her estranged father's funeral. And that's not all - this comedy special has something no one else has - dance breaks!
-3
Jay Bachochin is an investigator in Wisconsin searching for the truth. He has looked for ghosts, UFOs, and took a crack at solving an unknown mystery. Now he's onto something much...bigger. Join Jay's journey as he shares his 5 years of research in his quest searching for the Wisconsin sasquatch. Experience a film that takes you beyond the woods and into the darkest part of the Kettle Moraine.
-3
Breakups happen. Boy meets girl. Boy likes girl; girl likes boy. Boy and girl decide to sleep with 3 other people first, to avoid the rebound relationship.
1
Social media 101 gives a highlight of people’s lifestyle on social media through the eyes of 3 young women (Ada, Emelda and Gina); Ada is a Baker who puts up pictures/Videos of her works hoping to get patronage but meets her Waterloo. Emelda who filters and photoshops everything (boobs, Hips, Skin tone) she posts on social media soon catches the attention of an American based business tycoon who falls in love with one of her Photoshopped pictures until an unexpected turn of events reveals shocking truths. Gina the married one has a restrain from her husband to post anything that concerns him on social which leads to suspicions and hidden secrets.
-2
A wanted criminal and a desperate father who are interlinked by a series of unfortunate events, manipulate their chances to save what matters most to them. Lost in the middle of nowhere, will they be able to win this battle against the ticking clock?
-4
A Nigerian man travels to America for adventure and has a life changing encounter with a New Orleans artist.
0
High school cheerleader Molly woke bound and gagged in the trunk of her boyfriend's car. That was the high point of her night. After escaping her abductor and fleeing into the nearby forest, she comes face-to-face with the town urban legend: The Hangman, a deformed zealot said to hang male trespassers and keep the women as "brides". Now, Molly, along with her best friend and would-be rescuer Noah must work together to avoid becoming his latest victims.
-2
A black, grieving ex-pastor saves the life of the white man that killed his wife.
-2
This collection of Super Simple Songs includes original kids songs and classic nursery rhymes made Simple. Featuring children's favorites Old McDonald Had A Farm, This Is the Way We Get Dressed, Here Is the Beehive and much more! Great for preschool and younger.
4
In this show, Neville narrates stories about his struggles with his age, bring orphaned, adulthood, death, depression, divorce and suicide. This isn't the only thing that doesn't make it a regular stand up special, it's also that he's doing sitting down. He treats his audience like is therapist and pretty much leaves them bereft of hope but bloated with laughter. It's dark, it's poignant, it's melancholic but it's hilarious. Considered one of the comics with the darkest material in India, Neville doesn't disappoint. The topics he deals with are narrated anecdotally, making them approachable. He doesn't make fun of them; he makes fun about them. Afflictions, vulnerabilities and flaws are a part of human beings and Neville takes his feelings about them, analyses and then presents them. It's a perspective of someone who is going through them. And you see him crumble and rise with each story, you can also see him going downhill.
-6
Four estranged friends are content to blow off their 20th high school reunion, but plans change when they learn that on of their once inseparable quartet has committed suicide.
-3
High Wire examines the reasons that Canada declined to take part in the 2003 US-led military mission in Iraq, shining a spotlight on the diplomatic tug of war that took place behind the scenes with our neighbours to the south.
1
An award-winning architect has all the trappings of success but finds herself questioning her Christian faith.
2
In this revolutionary (see what we did there?) show, Steel tells us in a hilarious fashion what happened in France between the storming of the Bastille and the rise of Napoleon - bringing to life the people who made them happen. Brilliantly insightful and full of laughs, it puts the peculiarity of individual people back at the centre of the story.
4
Soldier, banker, lawyer, professor; William Tecumseh Sherman was more than a Civil War General. Sherman voyaged the world, influenced the California Gold Rush, started banks and Louisiana State University. He advised and entertained presidents, and changed the dynamic of war. Later he set decades of policy in the American West. Few leaders have had such a contentious impact on America as Sherman.
1
Stand-up comedian Shayne Smith delivers more stories about everything from a failed robbery to a wrestling match in the New York Subway and even saving the life of a dog in his second original Dry Bar Comedy special, “Alligator Boys”.
-1
Tan is an experimental documentary which confronts the relationship between the physical body and the social body of two generations observed in contemporary Iran.
0
A breezy, hilarious special by one of India's top comedians (he wrote this himself) where he talks about his greatest fear - turning into a typical Indian uncle. Filmed in a comedy club in Mumbai, the show has everything you'd expect from live stand up - plenty of thoughts that are of no use to humankind. If you have an hour to waste, this is a good way to do it.
2
Dom’s all charm and chuckles in this expertly crafted hour performed to his home town crowd (with some father son interviews thrown in for good measure.) Slick observational humour, hilarious audience interaction and physical comedy capers abound whilst Dominic interrogates some of life’s most pertinent questions, like how does one manage to stay alive in the Hertfordshire Buckinghamshire borders?
8
A nurse journeys to discover the truth behind a disease so bizarre, patients who suffer from it are regularly written off as delusional by doctors and loved ones.
-1
During the gold smuggling at international Punjab's border in the 70's, an innocent college boy gets involved in the gang war and takes over the underworld.
1
Covid-19 time. The life of a young employee changes during the lock-down. Alone at home, he will have to work at the computer, take care of plants and get through his own loneliness. Everything seems lost, but something changes.
-1
A devastating highway accident in April 2018 thrust Humboldt, Saskatchewan into an international spotlight and voices from across the globe responded with sorrowful condolences, vigils and tributes. As the shock subsided and the world stepped back allowing the community to grieve, the directors of Humboldt: The New Season remained near the families. This is a story of healing without ever forgetting or letting go.
-4
Two Petty Thieves (Bonny & Clara) get into trouble when they snatch a mysterious Briefcase which belongs to a notorious Gang Leader. Now they must run for their lives and also find a way to extract the content of the briefcase before Ebuka, the rightful owner catches up with them.
-2
Shino Sakuragi is an OL. She attends a wine party recommended by her boss, even though she isn't comfortable at such a fancy get together. There, Sakuragi meets Kazushi Oda. He is knowledgeable about wine and he doesn't show off his success as a businessman. She becomes attracted to him, but Oda gets arrested for accounting fraud later. Sakuragi is confused by the situation, but she keeps attending the wine parties and becomes hooked on wine.
3
Based on the true story of Ashley Hays Wright. In the Texas town of Amarillo, her family will unknowingly open the door to evil that will change their lives forever. Ashley and her three daughters will have to face the powers of darkness while her husband is away at the Iraq War. She will have to confront spiritual warfare, and find a way to save her daughters. Tormented, tired, and weak the family will have to call upon God to help them remove the demons from the house. Will her husband get back in time before his entire family is lost?
-7
A naive young filmmaker has one summer to live out his dreams and prove his talent before being thrust into a family business he wants no part of. Brotherhoods of both blood and bond are tested as his drive to make the perfect film consumes him.
1
Frostbitten and love smitten. Rusty types as Alice, whom he refuses to accept has left his side, stands nearby in mannequin form. Her presence drives Babs, Fran and Ruth-Ann into a fit of jealousy as the temperature plummets '2 Below 0'.
-1
For three decades, Jean Aspen and Tom Irons called Alaska's remote Brooks Range home. Choosing to live lightly with the land, their family built a log cabin and explored the valley on foot-a journey they shared in books and documentaries. Now elders, the couple decide to close the circle and erase their footprints. In their third documentary, they dismantle their home and carefully restore the site to intact wilderness while exploring stewardship, responsibility, and human belonging to our living Earth. ReWilding Kernwood is a layered conversation on release, completion, and finding purpose in the shifting mystery of life.
-2
Cyril and Amara are a happily married couple, but hard times are the true test of love.
1
66 Sadashiv is an emotional yet humorous story of Prabhakar Shrikhande, a typical Punekar who starts an institute to spread the awareness about mastering the techniques of a new art form and is trying to gain recognition for the same.
2
Do you kids know Wheels on the Bus? Learn this classic nursery rhyme with Baby Bao Panda, plus many other fun songs and dances.
2
Cheo and his girlfriend Blue just graduated from high school with dreams of hitting it big as a disc jockey. Spending his days spinning with his best friend Eli, creative differences hinder their friendship of setting the world of fire.
1
Following his groundbreaking win on NBC’s Last Comic Standing in 2006, Josh Blue has risen through the ranks to become a well-established headliner at venues throughout the world.
3
A petty thief learns about his father's illustrious legacy and decides to attack the man who murdered him in order to bring the ancient martial art form that his father had practiced to limelight.
-1
Be a fly on the wall as Jeremiah gets heckled by his Mom, works off the crowd, and shares personal stories of dating to marriage. With exclusive family interviews, this is one of the most unique and raw specials you'll ever see.
0
Learn the colors of the rainbow with Hogi and friends! Wonderville is full of colorful characters. Follow Hogi and explore Wonderville!
1
With over 50 million annual online views of his original comedy, Ross Browne has emerged as one of comedy's fastest rising stars in Europe - both on and off the stage. In his first solo filmed special, Ross enthrals a standing-room-only crowd at his native Cork Opera House. While the humour draws on his unique Irish wit and charm, his themes and style have truly universal appeal.
4
A logger, a DNR officer, and a widow's lives intertwine as their small backwoods town deals with the aftermath of a local preacher's mysterious death.
-3
3 best friends whom which are all having relationship issues. Diamond(lesbian)who is getting cheated on by her girlfriend is being shown interest by a persistent man (Jersey)who will not give up. Poochie (curious) who is in love with her other best friend (Shay) knowing that she is only interested in men tries to figure out a way to let her know without causing any problems within their friendship
0
As a young girl, Vanessa saw an event that will change her behavior forever. After witnessing a robbery and a rape as a young girl she decides to take upon herself create the same scenario as an adult which takes her on a path of some ruthless, sexual content experience not knowing it will cause her her life.
-2
Xue Wen Xi, daughter of an impoverished family, disguises herself as a boy and did all kinds of chores to take care of her family. Her life became chaotic when she met Feng Cheng Jun, son of the prime minister.
-3
Pinkfong will be getting a fully animated TV show sometime in 2019 named Pinkfong Wonderstar. The show will feature Pinkfong and his friend Hogi.
0
A Point of Grace Christmas is a beautiful DVD featuring holiday songs and stories from on the road and at home with America's Favorite Inspirational Vocal Group. Features 70-plus minutes of seasonal music and memories performed live for friends and family in Nashville, Tennessee. Also includes special guests, Michael W. Smith, Michael Tait (Newsboys) and author speaker, Patsy Clairmont.  Track Listing:  Joy To The World
 Jingle Bell Rock
 Candy Cane Lane
 Light Of The World (featuring Michael Tait)
 Little Drummer Boy
 See Amid The Winter’s Snow
 The First Noel (featuring Michael W. Smith)
 Not That Far From Bethlehem
 Mary, Did You Know?
 Tennessee Christmas
 Immanuel
 Prayer with Patsy Clairmont
 Silent Night
6
Set in 1976 Apartheid-era South Africa and based on a true story, this powerful film tells the story of a young man caught between his father's wishes and his own dreams. After his father is brutally killed, 16-year-old Jeremiah discovers that he had been delivering secret letters from freedom fighters in exile and prison on his rounds as a postman. When he learns that his father's last wish was for him to take over this work and continue delivering the letters, Jeremiah — who dreams of joining the police force — faces an impossible choice.
-2
Seeking to find the most beautiful and remote places on panet earth the two adventurers Matthias „Hauni“ Haunholder and Matthias Mayr were once again successful. Less than 800 kilometres away from the north pole you can find the Arctic Cordillera. It is the most northern mountain range of the world, located on Ellesmere Island.
 Getting there and skiing the most northern slopes in the world is Hauni’s and Matthias’ next major goal...
 They set themselves the goal to ski the most northern slopes of our planet. Simply getting there is an adventure. The north of Ellesmere Island isn’t only one of the most remote places on earth but also one of the most cold. The island is home to polar bears and arctic wolves.
 On their journey up north the two adventurers don’t only face major athletic challenges but also meet up with the Inuit who actively support their plans.
 Furthermore they have to accept that they won’t be taking on the role of the alpha leader on this trip...
3
Revolves around the murder of a delivery boy. And more murders happen. After some serious probing, it is suspected that a huge mafia network behind these murders. How the culprits are tracked down is the rest of the movie.
-4
Welcome to Essential Music, an L.A. record store with more staff members than customers, and where the LP covers act as a Greek chorus. A comedy for anyone who's ever spent too much time obsessing over playlists.
1
Where did Chicago go wrong? Chicago at the Crossroad tells the story of a city caught in the aftermath of a policy of mass displacement shaded by a long history of segregation.
-1
Coming from two different social spectrum's, the daughter of a rich home minister falls in love with a charming mechanic and together they deal with her family's reaction towards their relationship.
2
Hao Yun, a vet at a private clinic, leads a mundane life until he accidentally discovers the world is inhabited by monsters. Worried about the secret of their existence leaking, monsters capture Hao Yun and attempt to erase his memories. When their attempts fail, Hao Yun is forced to join Monsters Bureau, where he solves cases involving monsters with the help of his new partner, Wu Aiai. As Hao Yun dives deeper into this new world, he learns that even monsters must deal with the mundane struggles of everyday life and the entanglements created by human emotion.
-12
Join Laura Alexandra as she travels Serbia for the first time in this 6 part series. Serbia has connected West with East for centuries - a land in which civilisations, cultures, faiths, climates and landscapes meet and mingle - and Laura experiences just some of these offerings in this travel series.
1
Siblings, Lita and Evan, are forced to put their troubled personal lives on hold to help their alcoholic mother through a relapse.
-2
A wildly talented high school girl soccer team becomes the (un)lucky survivors of a plane crash deep in the Canadian wilderness.
1
Stuck in a small Appalachian town, a young woman’s only escape from the daily grind is playing advanced video games. She is such a good player that a company sends her a new video game system to test…but it has a surprise in store. It unlocks all of her dreams of finding a purpose, romance, and glamour in what seems like a game…but it also puts her and her family in real danger.
0
Follow Jeremy Clarkson as he embarks on his latest adventure, farming. The man who on several occasions claims to be allergic to manual labour takes on the most manually labour intensive job there is. What could possibly go wrong?
-2
After saving the realm from evil and destruction at the hands of the most terrifying power couple in Exandria, Vox Machina is faced with saving the world once again-this time, from a sinister group of dragons known as the Chroma Conclave.
-3
Louis de Pointe’s epic story of love, blood, and the perils of immortality, as told to the journalist Daniel Molloy. Chafing at the limitations of life as a black man in 1900s New Orleans, Louis finds it impossible to resist the rakish Lestat De Lioncourt’s offer of the ultimate escape: joining him as his vampire companion.
-2
Epic drama set thousands of years before the events of J.R.R. Tolkien's 'The Hobbit' and 'The Lord of the Rings' follows an ensemble cast of characters, both familiar and new, as they confront the long-feared re-emergence of evil to Middle-earth.
-2
Jack Reacher was arrested for murder and now the police need his help. Based on the books by Lee Child.
-1
An aristocratic Englishwoman, Lady Cornelia Locke, arrives into the new and wild landscape of the West to wreak revenge on the man she sees as responsible for the death of her son.
-4
Chief Inspector Armand Gamache and his team investigate a series of perplexing murders, in the seemingly idyllic village of Three Pines and uncover the buried secrets of its eccentric residents. In the process, Gamache is forced to confront buried secrets of his own. Based on the novels by Louise Penny.
-3
Explore the secret life of a woman we all grew up watching: the sitcom wife. The series looks to break television convention and ask what the world looks like through her eyes. Alternating between single-camera realism and multi-camera zaniness, the formats will inform one another as we imagine what happens when the sitcom wife escapes her confines, and takes the lead in her own life.
1
A writer from New York City attempts to solve the murder of a girl he hooked up with and travels down south to investigate the circumstances of her death and discover what happened to her.
-2
Prince Amleth is on the verge of becoming a man when his father is brutally murdered by his uncle, who kidnaps the boy's mother. Two decades later, Amleth is now a Viking who's on a mission to save his mother, kill his uncle and avenge his father.
-3
Darcy and Tom gather their families for the ultimate destination wedding but when the entire party is taken hostage, “’Til Death Do Us Part” takes on a whole new meaning in this hilarious, adrenaline-fueled adventure as Darcy and Tom must save their loved ones—if they don’t kill each other first.
-1
Four years after the destruction of Isla Nublar, Biosyn operatives attempt to track down Maisie Lockwood, while Dr Ellie Sattler investigates a genetically engineered swarm of giant insects.
-1
A team of lawyers takes on the heads of Argentina's bloody military dictatorship during the 1980s in a battle against odds and a race against time.
-1
A modern take on the 1970s political Watergate scandal centering on untold stories and forgotten characters of the time.
0
10 years after Dexter went missing in the eye of Hurricane Laura, we find him living under an assumed name in the small town of Iron Lake, New York.  Dexter may be embracing his new life, but in the wake of unexpected events in this close-knit community, his Dark Passenger beckons.
-1
A father and his two teenage daughters find themselves hunted by a massive rogue lion intent on proving that the Savanna has but one apex predator.
0
A former Navy SEAL officer investigates why his entire platoon was ambushed during a high-stakes covert mission.
0
Finney Blake, a shy but clever 13-year-old boy, is abducted by a sadistic killer and trapped in a soundproof basement where screaming is of little use. When a disconnected phone on the wall begins to ring, Finney discovers that he can hear the voices of the killer’s previous victims. And they are dead set on making sure that what happened to them doesn’t happen to Finney.
-3
This psychological thriller follows two Navajo police officers, Leephorn and Chee, in the 1970s Southwest as their search for clues in a grisly double murder case forces them to challenge their own spiritual beliefs and come to terms with the trauma of their pasts.
-2
An epic romantic adventure series based on the life of famous American outlaw Billy the Kid — from his humble Irish roots, to his early days as a cowboy and gunslinger in the American frontier, to his pivotal role in the Lincoln County War and beyond.
2
An endearing outlier, Brian lives alone in a Welsh valley, inventing oddball contraptions that seldom work. After finding a discarded mannequin head, Brian gets an idea. Three days, a washing machine, and sundry spare parts later, he’s invented Charles, an artificially intelligent robot who learns English from a dictionary and proves a charming, cheeky companion. Before long, however, Charles also develops autonomy. Intrigued by the wider world — or whatever lies beyond the cottage where Brian has hidden him away — Charles craves adventure.
3
Lucy wakes every night at exactly 3:33am. Nothing in her life has made sense for a long time. But the answers are out there, somewhere, at the end of a trail of brutal murders.
-2
Four years after the events of Halloween in 2018, Laurie has decided to liberate herself from fear and rage and embrace life. But when a young man is accused of killing a boy he was babysitting, it ignites a cascade of violence and terror that will force Laurie to finally confront the evil she can’t control, once and for all.
-5
Set on Labor Ward with all its hilarity and heart-lifting highs but also its gut-wrenching lows, the show delivers a brutally honest depiction of life as a junior doctor on the wards, and the toll the job can take back home.
-1
Considered an immigrant, common and plain, Catherine de Medici is married into the 16th century French court as an orphaned teenager expected to bring a fortune in dowry and produce many heirs, only to discover that her husband is in love with an older woman, her dowry is unpaid and she’s unable to concieve. Yet, only with her intelligence and determination, she manages to keep her marriage alive and masters the bloodsport that is the monarchy better than anyone else, ruling France for 50 years.
4
A rancher fighting for his land and family stumbles upon an unfathomable mystery at the edge of Wyoming’s wilderness, forcing a confrontation with the Unknown in ways both intimate and cosmic in the untamable American West.
-3
Jeju Island is taken over by evil spirits. An exorcist, priest, and chaebol heiress are fated to fight against evil spirits attempting to end the world. “They are stirring at last.”
-2
The 8-day clash between Arthur McCoy — an incorruptible sheriff with a troubled past — and Red Bill, an infamous, solitary bounty hunter known for decapitating his victims and stuffing their heads into a dirty black bag.
-4
Leonard is an English tailor who used to craft suits on London’s world-famous Savile Row. After a personal tragedy, he’s ended up in Chicago, operating a small tailor shop in a rough part of town where he makes beautiful clothes for the only people around who can afford them: a family of vicious gangsters.
-1
The drug trafficking drama is inspired by the true story of two brothers who rose from the decaying streets of southwest Detroit in the late 1980s and gave birth to one of the most influential crime families in the country. It revolves around brothers Demetrius "Big Meech" Flenory and Terry "Southwest T" Flenory, who together took their vision beyond the drug trade and into the world of hip-hop. The drama, per Starz, will tell a story about love, family and capitalism in the pursuit of the American dream.
1
Mark Grayson is a normal teenager except for the fact that his father is the most powerful superhero on the planet. Shortly after his seventeenth birthday, Mark begins to develop powers of his own and enters into his father’s tutelage.
1
Irene and Franklin York, a retired couple, have a secret: a Chamber buried in their backyard that miraculously leads to a strange, deserted planet. When an enigmatic young man arrives, the Yorks quiet existence is upended and the mysterious Chamber they thought they knew so well turns out to be much more than they could have ever imagined.
2
Follow Moiraine, a member of the shadowy and influential all-female organization called the “Aes Sedai” as she embarks on a dangerous, world-spanning journey with five young men and women. Moiraine believes one of them might be the reincarnation of an incredibly powerful individual, whom prophecies say will either save humanity or destroy it.
0
When a documentary crew sets out to explore the lives of residents in a small American town – their dreams, their concerns – they stumble upon the midwestern town of Flatch, which is made up of many eccentric personalities. It’s a place you want to visit and maybe even stay. If there was a decent motel. Which there is not.
-2
Decorated veteran Will Sharp, desperate for money to cover his wife's medical bills, asks for help from his adoptive brother Danny. A charismatic career criminal, Danny instead offers him a score: the biggest bank heist in Los Angeles history: $32 million.
0
Seven strangers from different walks of life - people who would never normally interact - are forced to work together to renovate a derelict community centre. They resent the menial physical labour and they resent each other. But when one of their number gets dragged into a dangerous world of organised crime, they unite in ways none of them thought possible.
-6
Henry Drax is a harpooner and brutish killer whose amorality has been shaped to fit the harshness of his world, who will set sail on a whaling expedition to the Arctic with Patrick Sumner, a disgraced ex-army surgeon who signs up as the ship’s doctor. Hoping to escape the horrors of his past, Sumner finds himself on an ill-fated journey with a murderous psychopath. In search of redemption, his story becomes a harsh struggle for survival in the Arctic wasteland.
-5
A group of four friends follow their dreams after graduating from college together.
0
A family moves to a small town into a house in which terrible atrocities have taken place. But nobody seems to notice except for Pat, who's convinced she's either depressed or possessed--turns out, the symptoms are exactly the same.
-4
As the Cold War rages, ex-smuggler turned reluctant spy Harry Palmer finds himself at the centre of a dangerous undercover mission, on which he must use his links to find a missing British nuclear scientist.
-4
Based on the true nail-biting mission that captivated the world. Twelve boys and the coach of a Thai soccer team explore the Tham Luang cave when an unexpected rainstorm traps them in a chamber inside the mountain. Entombed behind a maze of flooded cave tunnels, they face impossible odds. A team of world-class divers navigate through miles of dangerous cave networks to discover that finding the boys is only the beginning.
-7
The door of time opens between the swordsman who wants to seize the legendary divine sword at the end of the Goryeo Dynasty and those who chase after an alien prisoner imprisoned in a human body in 2022.
1
In 1943, Carson Shaw travels to Chicago to try out for the All-American Girls Professional Baseball League. There, she meets other women who also dream of playing pro baseball and makes connections that open up her world. Rockford local Max Chapman also comes to the tryouts but is turned away. With the support of her best friend Clance, she must forge a new path to pursue her dream.
2
Michelin-starred chef Carlo Cracco undertakes six trips across Italy to rediscover its most authentic cuisine with famous actors for each destination.
2
The Crawley family goes on a grand journey to the South of France to uncover the mystery of the dowager countess's newly inherited villa.
0
A teenage girl in Medieval England navigates life and tries to avoid the arranged marriages her father maps out for her.
0
A remake of the highly popular Kamen Rider Black series has been announced. A new interpretation of a story steeped in the pathos of the hero’s harsh fate, Kamen Rider Black returns to the screen after a hiatus of more than 30 years, reincarnated as Kamen Rider Black Sun.
1
A black family moves to an all-white Los Angeles neighborhood where malevolent forces, next door and otherworldly, threaten to taunt, ravage and destroy them.
-5
When miners blast for gold in the 1870's, they accidentally release ancient creatures known as Tommyknockers. The Town of Deer Creek, Nevada is soon under siege with only a handful of survivors held up in the local saloon.
1
The inspirational true story of Opportunity, a rover that was sent to Mars for a 90-day mission but ended up surviving for 15 years. Follow Opportunity’s groundbreaking journey on Mars and the remarkable bond forged between a robot and her humans millions of miles away.
0
A dysfunctional family that can't seem to get along and get it together reluctantly reunites for a family wedding. As their many skeletons are wrenched from the closet, it turns out to be just what this singular family needs to reconnect.
-1
Doesn't every girl dream of getting... something from Tiffany's? On 5th Avenue in New York City, where nothing compares to the magic and excitement of the holidays, where the streets blaze with lights, and windows dazzle, a special box from Tiffany could change the course of a person's life. Or several lives. Rachel and Gary are happy enough but not quite ready for that big commitment. Ethan and Vanessa, the perfect picture, are just about to make it official. When a simple mix-up of gifts causes all of their paths to cross, it sets off a series of twists and unexpected discoveries that lead them where they're truly meant to be. Because love -- like life -- is full of surprises.
9
Follows Tommy Egan after he cuts ties and puts New York in his rear-view mirror for good.
1
A glamorous period drama, as the characters go about their lives in 1920s Italy, when Benito Mussolini's brand of fascism was on the rise.
0
A struggling all-female rock band kicks off a new tour, hoping to rekindle their popularity. When they catch the attention of horrors from beyond our reality, the band realizes that being forgotten by their fans is the least of their problems.
-2
Senegalese immigrant Aisha lands a job as a nanny for a wealthy Manhattan couple. As she prepares for the arrival of the son she left behind in Senegal, a violent presence begins to invade both her dreams and her reality, threatening to destroy the American Dream she is painstakingly piecing together.
-2
A struggling vampire romance novelist must defend herself against real-life vampires during Christmas in Lake Tahoe.
-1
This dramedy series set in 1980 revolves around a group of recent college grads setting out to pursue their dreams in Manhattan while still clinging to the familiarity of their working-class Long Island home town.
0
A young mother awakens in a mysterious cell and is forced to harness her telekinetic abilities in order to escape and save her daughter.
-1
When twin brothers arrive home to find their mother’s demeanor altered and face covered in surgical bandages, they begin to suspect the woman beneath the gauze might not be their mother.
-1
Follows Mick Jagger, Keith Richards, Ronnie Wood and Charlie Watts. Take a look on some unseen footage and exclusive stories from the members of the band Rolling Stones.
0
The government is asking Eiffel to design something spectacular for the 1889 Paris World Fair, but Eiffel simply wants to design the subway. Suddenly, everything changes when Eiffel crosses paths with a mysterious woman from his past.
1
The story of Jamie, a Michelin-starred chef whose world implodes when he discovers shocking secrets about his pregnant wife, Amandine. Jamie finds himself hunting for answers with the help of his brother-in-law Jeff. Through this hunt, the cracks in Jeff’s marriage to Jamie’s sister Lue also widen.
-2
Alex, an assassin-for-hire, finds that he's become a target after he refuses to complete a job for a dangerous criminal organization. With the crime syndicate and FBI in hot pursuit, Alex has the skills to stay ahead, except for one thing: he is struggling with severe memory loss, affecting his every move. Alex must question his every action and whom he can ultimately trust.
-4
In the late 1990s, the arrival of elderly invalid Patrick into Marion and Tom’s home triggers the exploration of seismic events from 40 years previous: the passionate relationship between Tom and Patrick at a time when homosexuality was illegal.
-1
It's the day after Halloween in 1988 when four young friends accidentally stumble into an intergalactic battle and find themselves inexplicably transported to the year 2019. When they come face-to-face with their adult selves, each girl discovers her own strengths as together they try to find a way back to the past while saving the world of the future.
-1
The year is 1988. Abby and Gretchen have been best friends since fourth grade. After an evening of skinny-dipping goes disastrously wrong, Gretchen begins to act…different, which leads Abby to suspect her best friend may be possessed by a demon. With help from some unlikely allies, Abby embarks on a quest to save Gretchen. But is their friendship powerful enough to beat the devil?
-1
Set during the true and unconscionable Central Intelligence Agency MK ULTRA drug experimentations in the early 1960s, MIDNIGHT CLIMAX follows the journey of Ford Strauss, a brilliant psychiatrist, whose moral and scientific boundaries are pushed to the limit as he is recruited to run a subsect of the program in a rural Mississippi Mental Hospital.
1
Widower Tom, on the recent passing of his wife Mary, uses his free bus pass to travel the length of Britain from John O'Groats in Scotland to Land's End in Cornwall, their shared birthplace, using only local buses. It's an incident-fuelled nostalgia trip and his encounters with local people make him a media phenomenon. Tom is totally unaware and to his surprise on arrival at Land’s End he’s greeted as a celebrity.
1
In July 2017, an experienced outdoor enthusiast vanished in Northern Nevada while on an outdoor excursion. After an extensive search, he was never located. On the three-year anniversary of his disappearance, friends and loved ones recall the events leading up to his vanishing, and for the first time, speak about the horrifying conclusion of his fate.
2
After 13 days without receiving a ransom and their identities unveiled, everyone involved with the kidnapping of Isabella Contini, hit their breaking point.
-1
A terminally ill man and his teenage daughter embark on a road trip from California to New Orleans for his 20th college reunion. While there, he secretly hopes she can reunite with the mother who left them long ago.
0
Ireland, 1845 on the eve of The Great Hunger. Colmán Sharkey, a fisherman, a father, a husband, takes in a stranger at the behest of a local priest. Patsy, a former soldier in the Napoleonic wars arrives just ahead of 'the blight,' a disease that eventually wipes out the country's potato crop, contributing to the death and displacement of millions. As the crops rot in the fields, Colmán, his brother and Patsy travel to the English Landlord's house to request a stay on rent increases that Colmán predicts will destroy his community. His request falls deaf ears and Patsy's subsequent actions set Colmán on a path that will take him to the edge of survival, and sanity. It is only upon encountering an abandoned young girl that Colmán's resolve is lifted. Just in time for the darkness of his past to pay another visit.
-5
Eva Röse hosts the Swedish version of the international hit comedy series LOL: Last One Laughing. The six-part competition series gather 10 of the best comedic talents against each other in a showdown, to see who can keep a straight face while trying to make the others laugh.
1
Peter and Emma thought they were on the precipice of life’s biggest moments – marriage, kids, and houses in the suburbs – until their respective partners dumped them. Horrified to learn that the loves of their lives have already moved on, Peter and Emma hatch a hilarious plan to win back their exes with unexpected results.
0
Power Book III: Raising Kanan is a prequel set in the 1990s that will chronicle the early years of Kanan Stark, the character first played by executive producer Curtis "50 Cent" Jackson.
-1
A woman runs for her life though the streets of Los Angeles after her blind date suddenly turns violent.
-2
A love triangle between one girl and two brothers. A story about first love, first heartbreak, and the magic of that one perfect summer.
4
In honor of the sci-fi franchise’s 55th anniversary this year and produced by The Nacelle Company, the project will feature interviews with cast, crew and experts as it explores pivotal moments in the franchise’s history, from its inception at Lucille Ball’s production company Desilu to recent film and television adaptations.
1
Three students celebrate their graduation with a visit of the Paris catacombs. When they discover a bunker, little do they know it's not the only thing that Nazi have left behind...
1
Shows the behind the curtain during a crucial season at one of the world's biggest football clubs, as Arsenal focus their efforts on challenging for domestic success and returning to elite European competition.
1
After waking up from a horrific car accident, April must find a way to work through her trauma and a will to survive a recovery from hell.
-1
Thirty-plus years after its release, the popular two-part miniseries "IT" and its infamous villain Pennywise live on in the minds of horror fans around the world. This documentary captures not only the buzz the "IT" saga generated in 1990 but also the lasting impact it has had on an entire generation and the horror genre at large. Several years in the making, the film features exclusive interviews with many of the cult classic's key players, from cast members Richard Thomas, Seth Green, and Tim Curry, who portrayed the notorious monster clown Pennywise, to director Tommy Lee Wallace and special effects makeup artist Bart Mixon. The documentary also boasts a wealth of archival material and never-before-seen footage.
-1
Hong Kong antiquary uncle Ming hires Hu Bayi, Wang Kaixuan and Shirley Yang to enter Tibetan areas with him to find the legendary crystal corpse. They start a new expeditionary trip of tomb adventure.
1
Thirteen year old Sam Cleary suspects that his mysteriously reclusive neighbor Mr. Smith is actually the legendary vigilante Samaritan, who was reported dead 25 years ago. With crime on the rise and the city on the brink of chaos, Sam makes it his mission to coax his neighbor out of hiding to save the city from ruin.
-5
Students Hayley and James are young and in love. After saying goodbye for Christmas at a London train station, they both make the same mad split-second decision to swap trains and surprise each other. Passing each other in the station, they are completely unaware that they have just swapped Christmases.
0
When Van Helsing's mysterious invention, the "Monsterfication Ray," goes haywire, Drac and his monster pals are all transformed into humans, and Johnny becomes a monster. In their new mismatched bodies, Drac and Johnny must team up and race across the globe to find a cure before it's too late, and before they drive each other crazy.
-4
Feeling isolated from that unwelcoming community, June and Jennifer Gibbons turn inward and reject communication with everyone but each other, retreating into their own fantasy world of artistic inspiration and adolescent desires.
-1
Back from war in Afghanistan, a young British soldier struggling with depression and PTSD finds a second chance in the Amazon rainforest when he meets an American scientist, and together they foster an orphaned baby ocelot.
-2
Based on the life of Indian Space Research Organization scientist Nambi Narayanan, who was framed for being a spy and arrested in 1994. Though free, he continues to fight for justice against the officials who falsely implicated him.
0
LOL is a comedy show where ten professional comedians face off for six hours in a row to keep a straight face, while they try to make their opponents laugh.
-1
Two strangers believe in love but never seem to be able to find its true meaning. In a wild twist of events, fate puts each in the other's path on one stormy New Year's Eve.
-3
A 32-year-old misanthropic musician named Frank lives in Dublin with his mother.
0
Fefê, a digital influencer who decides to run for governor of Rio de Janeiro as a joke, ends up winning the election.
0
The iconic Canadian sketch comedy troupe The Kids in the Hall return from the dead with a reboot of their ground-breaking sketch series.
-1
A group of top female agents from American, British, Chinese, Colombian, and German government agencies are drawn together to try and stop an organization from acquiring a deadly weapon to send the world into chaos.
-1
Darren, a young talented musician, dreams of making music like nobody has before. But she's broke. Desperate for cash, she signs up to a paid-dating website, throwing herself down a dark path that shapes her music with it.
-1
A stately home robbery takes an evil turn one night when a gang of young thieves are caught by the owners of the house and then hunted across the estate for the proprietor's entertainment.
0
In the aftermath of a huge scandal, Trinitie Childs, the first lady of a prominent Southern Baptist Mega Church, attempts to help her pastor-husband, Lee-Curtis Childs, rebuild their congregation.
0
Versions of Meriwether Lewis's 1809 death at a remote wilderness inn are imagined by his friend Alexander Wilson during a tense encounter with the only witness to the famed explorer's final night alive.
-1
Stephen Richards has built a cosmetics empire, but when he suffers a stroke, his family's secrets and lies rise to the surface and the future of his multi-million-pound company is at stake.
-2
An exploration of the relationships and identities of Marco and Andrea, 2 twins who look identical but approach life in a very different way. The twins begin a journey of discovery and transition from what they should be to what they want to be, which will also involve their group of friends, all united by the search for their place in the world.
0
In this series, Tripadvisor challenges travelers to curate a travel guide uniquely inspired by locals and reviews. With little to no knowledge of what to expect, wanderers will immerse themselves into a transformative journey of exploration, self-discovery, and reflection, ultimately showing the beauty of traveling as one of the most ancient means of discovery.
1
"The Alpines" is a psychological thriller that follows seven friends coming together for a weekend getaway after several years of little to no contact. They've grown apart. They've moved on with their lives. But the secrets of their past have come back to haunt them. This time with a very real threat ready to expose every last one.
-1
The story of the iconic WW2 bomber told through the words of the last surviving crew members, re-mastered archive material and extraordinary aerial footage of the RAF’s last airworthy Lancaster.
1
The romance between top star Hoo Joon and his anti-fan reporter Lee Geun-young who end up living together.
1
Follows laugh-out-loud characters in events with high twists of satire and politics, against a local backdrop.
-1
A young family, living in isolation and forced into hard labor out of fear of dishonoring their Father and Mother, fight to free themselves from their religious cult.
-2
Unfolding in Milan at the end of the 80s, Bang Bang Baby is a crime series centred around a shy and insecure teenager, Alice, who becomes a mafia organisation’s youngest member in a bid to win the love of her father, an ‘ndrangheta affiliate.
0
A feature documentary about badass women that rely on each other as they fight fire and gender-based discrimination.
-1
A five part Sky Original documentary series that will look into the unsolved case of Sophie Toscan du Plantier who was brutally murdered in West Cork in 1996. Using original evidence, never-before-seen footage and interviews with those closest to the case, including Sophie’s family and key suspect Ian Bailey, the series aims to unravel the unsolved case that has haunted West Cork for decades.
-3
Petty criminal Mick has to pay a debt back to some scary people, so he and his partner Tom decide to break into a house... which they discover is inhabited by aliens.
-5
At an elite New England university built on the site of a Salem-era gallows hill, two black women strive to find their place. Navigating politics and privilege, they encounter increasingly terrifying manifestations of the school's haunted past… and present.
2
The life of a young architect is thrown into turmoil when he's diagnosed with a rare eye disease. As his condition worsens, he questions his life and career choices, and his relationship to his frustrated wife becomes more strained.
-3
In order to move on with her life, a woman must face her sh*tty family, a creepy ex and a serial killer.
-2

0
Famed architect Jeremy Angust is approached on his trip to the Paris Airport by a chatty girl named Texel Textor who needs a ride. He obliges and after they part ways at the airport entrance, he misses his flight. As he settles in the lounge, he encounters the mysterious young Texel again, who insists on telling her strange story — and the conversation grows stranger and more twisted until it turns sinister and deadly.
-6
A zealous cognitive psychologist stumbles across an unbelievable discovery - a way of communicating with the other side. His joy is short-lived, however, as his daughter is put into potentially grave danger and when all leads go cold, he takes matters into his own hands to find out the truth.
-4
Convinced of her husbands infidelity, a woman's obsessive search for the truth turns deadly.
-2
Still living with her mom and working a temporary job, Becky grapples with Instagram-perfect lives.
-1
In 1965, in the midst of the Cold War, a French rocket scientist is thrown in the field for a nearly impossible spy mission and falls for a Soviet woman secretly working for the KGB.
-3
The story of events surrounding the notorious divorce of the Duke and Duchess of Argyll during the 1960s.
-1
Through various modes of surveillance we observe an overprotective young woman, Winnie, and her disabled brother, Stevie, caught in a web of intrigue involving a bomb plot, inept anarchists, ambitious police and a corrupt politician. The duplicity of Winnie’s boyfriend, Conrad Verloc -political activist and police informant –propels these siblings down a deadly path. But justice may prevail in the aftermath, via the surveillance collected, compiled and presented by Special Crimes Sergeant Kylie Heat.
-6
Twin brothers running a haunted house and an aspiring actress are all affected by the disappearance of a young girl.
0
A recently separated single mother, her commitment-phobic and successful younger brother, and her smart but confused teenaged daughter - all of whom make a sweet, unconventional family of three try their best to handle dating, relationships, and life.
3
Gu Jue Zhuan follows Shang Gu, once a leader of the four immortals, who falls into a deep sleep after sacrificing herself in a trial that lasted 60,000 years. Shang Gu wakes up many years later, and memories of what happened 300 years ago were completely wiped. But her former lover, Bai Jue, never forgot about her. Sacrificing his reincarnation for her life, he waited for her for 60,000 years. Even when his soul disappears, Shang Gu will wait for him forever.  Gu Jue Zhuan, previously known as Shang Gu, was first announced in 2014, but was stuck in production hell. Its based on the xianxia novel of the same name by Xing Ling (星零), first published in 2012.
-2
A young woman arrives at the home of her new husband's estranged family to find the children behaving in increasingly unnerving ways.
-2
In a close-knit Georgia community, a family-owned wrestling promotion finds two brothers and rivals war over their late father’s legacy. In the ring, somebody must play the good guy and somebody must play their nemesis, the heel. But in the real world, those characters can be hard to live up to (and just as hard to leave behind).
-3
Eugenie has a unique gift: she hears and sees the dead. When her family discovers her secret, at the end of the 19th century, she is taken by her father and brother to the neurological clinic at La Pitié Salpêtrière with no possibility of escaping her fate. Her destiny becomes entwined with that of Geneviève, a nurse at the hospital.
0
The journey of Cassandra, who starts to see things get on track in her life with a place of her own for the first time, a boyfriend who she loves, Ivaldo, a job as a courier in downtown São Paulo, and fulfilling her dream of being a cover artist of Vanusa, a famous Brazilian singer from the 70s. Her life takes an unexpected turn, however, when her ex, Leide, shows up with Gersinho and claims he is Cassandra’s son.
1
ZIWE, a riotously funny, new variety series from writer, comedian and internet sensation, Ziwe. A no-holds-barred mix of musical numbers, interviews and sketches that challenge America's discomfort with race, politics, and cultural issues.
-1
Hayley Harris creates a one-woman stage show following the death of her mother in North Carolina.
-1

0
It is the winter of 2018, the men and women of the UAE military are deployed to provide aid. At the Mocha Base, spirits are high as three Emirati soldiers anticipate an imminent return home. While on their final routine patrol, the three soldiers, Ali, Bilal and Hindasi are ambushed by heavily armed militants on their route, through a narrow canyon. Trapped, wounded, and out of communication range, the three soldiers realize the gravity of their situation. They are running out of options, munitions - and time. Back at the base, their commander receives word and realizes that the assault on the UAE army patrol was premeditated. A rescue mission is quickly put into action, but will air and land support reach the men in time, and will they survive?
-2
A celebration of Scottish history and culture, with Outlander stars Sam Heughan and Graham McTavish discovering the heritage of their native country, meeting local artisans and experts and experiencing genuine moments of awe and fascination as they share their travels with the audience.
4
When the CIA discovers one of its agents leaked information that cost more than 100 people their lives, veteran operative Henry Pelham is assigned to root out the mole with his former lover and colleague Celia Harrison.
1
After a reunion with her past, Tamara - a Jewish ex-orthodox turned feminist rocker - separates from her boyfriend, rebelling against romantic love and monogamy to embark on a path of exploration in search of her own desire.
2
A dangerous social experiment performed by a reckless YouTuber and his film crew exposes human sex trafficking in Las Vegas.
-2
The world is stunned when a group of time travelers arrive from the year 2051 to deliver an urgent message: Thirty years in the future, mankind is losing a global war against a deadly alien species. The only hope for survival is for soldiers and civilians from the present to be transported to the future and join the fight. Among those recruited is high school teacher and family man Dan Forester. Determined to save the world for his young daughter, Dan teams up with a brilliant scientist and his estranged father in a desperate quest to rewrite the fate of the planet.
-2
For over 40 years Val Kilmer, one of Hollywood’s most mercurial and/or misunderstood actors has been documenting his own life and craft through film and video. He has amassed thousands of hours of footage, from 16mm home movies made with his brothers, to time spent in iconic roles for blockbuster movies like Top Gun, The Doors, Tombstone, and Batman Forever. This raw, wildly original and unflinching documentary reveals a life lived to extremes and a heart-filled, sometimes hilarious look at what it means to be an artist and a complex man.
1
When a renowned criminal lawyer sees one of the people she loves most become a victim of the Brazilian penitentiary system, she must decide whether to cross the line that separates her between looking for justice or committing an unforgivable crime.
0
A disgraced podcast host interviews an eccentric farmer who claims to have a monster living in the woods near his house.
-3
Set during the Great Depression, two Midwest brothers get tangled in a rivalry between a legendary bank robber and an eccentric young criminal.
-3
Vivek, a diligent cop, takes charge of the investigation of the murder of a beautiful young girl, Velonie. The rumours about her that spring up post her death threatens to irrevocably damage Velonie's image, Vivek must wade through a web of half-truths and confusing leads to solve the case.
-1
Hilarie Burton Morgan puts a spotlight on murder cases from small towns across America.
-1
A shy lonely genealogist finally discovers the perfect family and the love of her life… they just don’t know it yet! They mistakenly think she’s a long lost relative, and unfortunately he is engaged to the wrong girl who just wants his family fortune. As sparks start to fly, she must warn him of his deceptive finance and find a way to tell him the truth about herself.
-3
Music superstars Kat Valdez and Bastian are getting married before a global audience of fans. But when Kat learns, seconds before her vows, that Bastian has been unfaithful, she instead decides to marry Charlie, a stranger in the crowd.
-2
Follow young Cora’s journey as she makes a desperate bid for freedom in the antebellum South. After escaping her Georgia plantation for the rumored Underground Railroad, Cora discovers no mere metaphor, but an actual railroad full of engineers and conductors, and a secret network of tracks and tunnels beneath the Southern soil.
0
The story of Nino Scotellaro, a Sicilian public prosecutor who devoted his entire life to fighting against the mafia and is suddenly accused of being one of the very men he has always fought against. After being condemned, and with nothing left to lose, Nino decides to pull off a Machiavellian revenge plan.
-3
Bright Sun Films' Jake Williams makes his feature debut with this documentary about the infamous Six Flags New Orleans, which was devastated by Hurricane Katrina, and has become a holy grail of sorts for urban exploration.
0
Exposing Muybridge tells the story of trailblazing 19th-century photographer Eadweard Muybridge, who changed the world with his camera. Muybridge set the course for the development of cinema when he became the first photographer to capture something moving faster than the human eye can see--Leland Stanford's galloping horses. He also produced a sprawling and spectacular landscape catalog, ranging from Alaska to Central America, Utah to California. Artful, resilient, selfish, naive, eccentric, deceitful--Muybridge is a complicated, imperfect man and his story drips with ambition and success, loss and betrayal, near death experiences and even murder. "The machine cannot lie," Stanford declared of Muybridge's pioneering motion images. But what about the photographer? More than a century after his death, Muybridge's photographs have never ceased to seduce cutting-edge artists, scientists, innovators, and general viewers alike.
-8
When Pippa and Thomas move into their dream apartment, they notice that their windows look directly into the apartment opposite – inviting them to witness the volatile relationship of the attractive couple across the street. But what starts as a simple curiosity turns into full-blown obsession with increasingly dangerous consequences.
-1
Set in the nation’s capital, this is a story of our youth, on a journey packed with excitement, fun, life lessons, and many a wrong turn. Against the backdrop of college politics, amidst the pressure of impending examinations, a bunch of youngsters find friendship and romance as their paths crisscross, and they take decisions that could define their future, and change their lives forever.
0
France, 1789 - just before the Revolution. When talented chef Manceron is dismissed from his prestigious position by the Duke of Chamfort, he loses the taste for cooking. But when he meets the mysterious Louise, together they decide to create the very first restaurant in France.
0
For more than a decade, parents Andy and Vicky have been on the run, desperate to hide their daughter Charlie from a shadowy federal agency that wants to harness her unprecedented gift for creating fire into a weapon of mass destruction. Andy has taught Charlie how to defuse her power, which is triggered by anger or pain. But as Charlie turns 11, the fire becomes harder and harder to control. After an incident reveals the family's location, a mysterious operative is deployed to hunt down the family and seize Charlie once and for all. Charlie has other plans.
-6
After suffering a stroke, Judith moves into a historic nursing home, where she begins to suspect something supernatural is preying on the residents. With no one willing to believe her, Judith must either escape the confines of the manor, or fall victim to the evil that dwells within it.
-3
Dennis can’t manage to separate himself from his possessive girlfriend. Nele chases away even the most perfect guys with her fairy tale fantasies. Mo freezes up when he is about to make an emotional connection. Katrin refrains from love, but makes up for it with throwaway sex.
1
Pull back the curtain on the remarkable history of six decades of James Bond music,  from Sean Connery’s Dr No through to Daniel Craig’s final outing in No Time to Die.
0
A marriage. A re-marriage. A pending divorce. It's been five years since Kukoo and Nainaa got married after knowing each other practically all their lives, and now they need to break it to their family that they want a divorce. Kukoo's parents, Bheem and Geeta, a couple that everyone looks up to, have no plans of making Kukoo and Naina's lives easier. They have their own plans and set of surprises in store for the young couple; all this in the middle of Kukoo's sister's wedding.
0
LuLaRoe, the billion dollar clothing empire accused of misleading thousands of women with their multi-level marketing platform, is analyzed.
-1
Behind the Sightings follows Todd and Jessica Smith, two filmmakers from Raleigh in North Carolina, who set out to produce a documentary exploring the highly publicized, creepy clown sighting epidemic, which was investigated by local law enforcement. As the young married couple venture into Peachtree Way, Nash County, in search of clowns, what they found was far from funny.
-3
Follow six stories about love and how love always wins when faced with life's challenges and tough situations. From realizing a wish to have children to struggling with the challenges of an open relationship. From mourning over a lost love from the past to accepting new love and adapting to the future. Love, in all its forms, is universal.
5
Documentary about Don Letts who played a leading role in pop history. Letts injected Afro-Caribbean music into the early punk scene and shot over 300 music videos including for Public Image Ltd. and Bob Marley, but also for teen sensations Musical Youth's reggae smash 'Pass The Dutchie'. Besides his enduring relationship with The Clash, the constant factor in Letts' eventful career as a DJ, manager, film director, musician and radio maker is that, from the 1970s on, he continued to draw attention to cultural issues, as he does today with his radio programme for BBC 6, Culture Clash Radio.
-2
Centuries ago, the beloved Chinese Monkey King used his magical staff to capture and trap the evil Demon Bull King deep inside a mountain. Flash-forward to modern-day China, when fate leads MK (aka Monkie Kid), a young noodle shop delivery boy, to find the long-lost staff. Soon, MK and his best friends find themselves entangled in adventures packed full of action, mystery, imagination and magic.
1
The wife and sister of Colombian congressman Alberto Villamizar are kidnapped by the Extraditables in response to new extradition laws. Alberto and the police try to close in on the kidnappers and rescue Alberto's family.
0
Miles from civilization, a blind teenager and the hunter he befriends are tormented by a mysterious creature lurking in the woods.
-4
After being slain by a group of criminals, a man is reborn with animal-like superpowers and makes it his mission to right the wrongs of his city.
-1
The First Circumvalation Around the World, tracking the 1519–22 voyage initiated by Ferdinand Magellan and culminated by Juan Sebastián Elcano.
0
Part documentary, part historical drama, this series follows the fortunes of the different members of the Boleyn family, ultimately made notorious for daughter Anne’s marriage to Henry VIII and execution.
0
J.R. is a fatherless boy growing up in the glow of a bar where the bartender, his Uncle Charlie, is the sharpest and most colorful of an assortment of quirky and demonstrative father figures. As the boy’s determined mother struggles to provide her son with opportunities denied to her — and leave the dilapidated home of her outrageous if begrudgingly supportive father — J.R. begins to gamely, if not always gracefully, pursue his romantic and professional dreams, with one foot persistently placed in Uncle Charlie’s bar.
2
After a dangerous encounter at a party, four friends find themselves hurling down a rabbit hole of lies, deceit and secrets. As their safe, privileged world turns dark and dangerous, the secrets they keep become the bond for their survival. An intelligent cop is in pursuit, as the four friends try to keep up this deception.
-2
Looking to save her sister, Yashoda, a desperate woman agrees to be a surrogate and move in to a plush facility - but nothing is as it seems. In the world outside Eva, a Hollywood starlet dies under mysterious circumstances, so do a tycoon and a super model. An unknown drug seem to hold the key to the whole mystery.
-2
With ruthless mobsters on her tail, a young woman with a split personality becomes entangled with a man on a pilgrimage across the country to scatter his brother's ashes.
-3
This film will explore the rise of comedian icon Lucille Ball, her relationship with Desi Arnaz, and how their groundbreaking sitcom I Love Lucy forever changed Hollywood, cementing her legacy long after her death in 1989.
1
Superstar Lizzo is on the hunt for confident, badass women to join her world tour, and only the most talented dancers will have what it takes to twerk it out on world stages with her and join in the ranks of the elite BIG GRRRLS.
3
Set in the 1800s, the film is about a "dacoit" tribe who take charge in fight for their rights and independence against the British.
1
The misadventures of Lieutenant Harina and his partner, Officer Ramírez, a very special police couple, who find themselves with the opportunity of a lifetime
0
It follows a young woman who becomes an escort as a way of getting out of her small town, but she soon discovers she has no control over her situation.
0
Jay Baruchel hosts the Canadian version of the international hit comedy series LOL: Last One Laughing. The six-part competition series pits 10 of the best comedic talents against each other in a showdown, where anything can happen.
1
In the aftermath of the Fourth Impact, stranded without their Evangelions, Shinji, Asuka and Rei find refuge in one of the rare pockets of humanity that still exist on the ruined planet Earth. There, each lives a life far different from their days as an Evangelion pilot. However, the danger to the world is far from over. A new impact is looming on the horizon—one that will prove to be the true end of Evangelion.
-2
Marina Quiroga, a daring upper-class girl with a detective's soul, sets off to catch the serial killer that has been terrorizing her town with her faithful butler Hector's help.
1
Jamie New is 16 and doesn’t quite fit in—instead of pursuing a "real" career he dreams of becoming a drag queen. Uncertain about his future, Jamie knows one thing for sure: he is going to be a sensation. Supported by his loving mom and his amazing friends, Jamie overcomes prejudice, beats the bullies and steps out of the darkness, into the spotlight.
-1
A lonely assistant finally finds love and must escape her monster of a boss before she and her new love become his next meal.
0
After an eccentric billionaire creates a drug called INOC which stops the aging process effectively eliminating death itself, the future of a world where death no longer exists is seen. Through a seemingly harmless children's toy, the story of the fate of mankind is told while also revealing an elusive truth to its unknowing spectator.
-1
In a sun-soaked Hawaiian town with a mysterious past, a group of friends is left with a dark secret after a tragic accident. One year later, a member of the group receives a threatening message, and the friends now know that someone intends to make them pay for last summer.
-4
It all starts with a simple lie. Lee Yu-mi takes on a privileged young woman's identity, leading her to a completely different life. When she marries a wealthy man whose ambitions gradually put them in the public eye, her perfectly-built persona begins to unravel.
1
A story of a blended family follows Liu Bi Yun and Jiang Tian Huai who became husband and wife in their second marriage. Each with children of their own, they not only face outside challenges in their career but also have to handle family members with very different personalities. They return to the city after ten years of separation. Liu Bi Yun's stepdaughter Jiang Mei and grandma are the instigators of many conflicts within the family but Liu Bi Yun never takes it to heart as she tries to be a good mother and a good influence
0
After her widowed father dies, deaf teenager Dot moves in with her godparents, Olivia and Paul Deer. The Deers' daughter, Nina, is openly hostile to Dot, but that does not prevent her from telling her secrets to her silent stepsister, including the fact that she wants to kill her lecherous father.
-2
When three campers witness an alien mothership descending on their town and turning the population into "Altered" human beings, they team up with a reclusive stranger who offers to guide them to safety. As they're chased deep into the forest and one of them becomes infected, they realize there's nowhere to hide from the Altered horde that seems intent upon finding and assimilating them.
-3
Three sisters from a fishing village in the West Indies take refuge in Berkeley, California, following a traumatic event that threatens to reveal a centuries-old family secret.
-1
A romantic comedy about a thriller dramas screenwriter and an actress that specializes in romantic comedy. While the writer chooses not to date, the actress cannot seem to date.
2
Two dancers at an elite ballet academy in Paris must compete for a contract to join the highly coveted Opéra National de Paris as they confront their competitive nature, sexual awakenings and how far they would go to win.
2
A retelling of the biblical book of Hosea set against the backdrop of the California Gold Rush of 1850.
1
Butler Kim (Lee Jun-young), a man who replaces errands that start at 100 won per day, and Baek Dong-ju (Lee Hye-ri), a funeral director who grants the wishes of the dead, running an errand company.
0
The story of Easton West, an internationally-renowned yet volatile celebrity chef who has a spectacular fall from grace and returns to his hometown in the Adelaide Hills, Australia.
0
About sisters who married into the century-old chaebol Ma family on the same day as the "century wedding" as a clue, telling the ups and downs of the Ma family's three generations of ups and downs.
0
In the Sicilian town of Taormina, Italy, an aspiring writer in search of inspiration meets a folk singer trying to write a follow up to her breakout hit. Their chemistry sparks collaboration, challenging each other to express their thorniest secrets.
0
After being drafted by the Buffalo Bills, tragedy forces Bill Costen out of his dream. Saying goodbye to a career on the turf, he takes to the air, becoming the first African American Hot-Air Balloon Master Pilot in the world.
0
Rescued as a child by the legendary assassin Moody and trained in the family business, Anna is the world’s most skilled contract killer. When Moody, the man who was like a father to her and taught her everything she needs to know about trust and survival, is brutally killed, Anna vows revenge. As she becomes entangled with an enigmatic killer whose attraction to her goes way beyond cat and mouse, their confrontation turns deadly and the loose ends of a life spent killing will weave themselves ever tighter.
-6
A team of thieves regroup at a rural cabin after a diamond heist goes bad, resulting in many deaths. One of them, for reasons known only to him, poisons the others and runs off with the loot as well as the boss's daughter. The boss orders the others to go after them and bring back the diamonds and his daughter alive, but as for the man, "bring him back dead."
-4
A high school boy must follow in his shaman grandfather's footsteps to become the beacon of light he was meant to be.
0
From breathtaking highs — a World Cup win, an astonishing last stand in the Ashes, and an inspiring England captaincy — to the lows — a trial for affray, personal tragedy, and mental health challenges, which saw him take time away from the game — the documentary follows Ben Stokes in an honest film about the man behind the extraordinary cricketer.
5
Futbol Club Barcelona has enjoyed the best football of the world throughout its history. However, these past few years haven’t lived up to the club’s reputation. After having won every title as a captain, Xavi Hernández is chosen to manage the new project and recover the style and success of the old days.
6
Vic and Ami embark on a journey to have a baby and after several failed attempts it leads them to undergo IVF. Will their marriage survive the emotional and physical toll IVF takes on them?
-1
This reality dating show transports 15 UK singles to a very special American High School setting for a second chance at finding love. The students’ ultimate assignment is to secure a date for Prom. Just who will be crowned Prom Royalty and win the $100,000 prize?
4
Maria and her college housemates find the “perfect” roommate, only to discover he’s an escaped mental patient with multiple violent personalities. It’s up to Maria to face her fears and save her roommates from a total massacre.
-1
A flying prodigy, Captain Vikrant Khanna's flight takes a stirring and mysterious trajectory after take-off from an international destination. Concurrently, it follows the tenacious Narayan Vedant in his pursuit to uncover the truth.
1
Elite lawyer Qin Shi and resident homebody Yang Hua who got "married" for their own purposes unexpectedly find true love in each other. Together, they walk hand in hand towards a happy and fruitful life.
3
A home-searching romance story about a man who buys houses and a woman who lives in one. It follows the diverse stories of the editors of a home magazine.
0
A complex thriller revolving around three characters, each with troubling pasts clouding their intersecting motives: Emma is a young woman who once loved a dangerous killer, John is a former serial predator desperate for redemption, and a grieving mother Mary who is obsessed with finding her missing daughter.
-5
A young man in a tricky situation follows the advice of his unconventional best friend and uses social media to create a fake boyfriend to keep his awful ex-lover out of his life. But everything backfires when he meets the real love of his life, and breaking up with his fake boyfriend proves hard to do.
-4
The film follows a rebellious teen named Cassie Vanderbilt, whose wild streak escalates as her caring father Lucas decides to take her and his new wife Sarah out of the city for some bonding and quality time together. But after Cassie crosses the infamous McKinley family, it becomes clear that sometimes danger lies hidden in the weeds, ready to strike at any moment.
-5
Lucille Ball and Desi Arnaz face a crisis that could end their careers and another that could end their marriage.
-1
After receiving life-altering news, a couple finds unexpected support from their best friend, who puts his own life on hold and moves into their family home, bringing an impact much greater and more profound than anyone could have imagined
2
It mainly tells the love story between Shen Ying and Zheng Dao who are two very different people in terms of personality and professions. But, both of them share two things in common which is the same interests and goals, that is, they want to share all kinds of healthy delicacies to the world, as they harvested their own love story.  Shen Ying is a magazine food editor. She is an independent and hardworking person. She is pretty and kind to others. Zheng Dao is the special director of the Gourmet Edition of the magazine. He has a cold and arrogant personality. He is very principled and particular in doing things. He has very strict requirements for food.
3
Almost 1 million people in 22 countries carried out the unprovoked murder of 11 million innocent men, women and children. The Allies knew where a great many of the murderers could be found - Germany, Austria, Italy, the UK, the USA, Canada, Australia, and numerous countries in South America. The Allies unanimously agreed to prosecute those responsible when they drew up The London Agreement in August 1945, but, after the late 1940s, these very same Allies did almost nothing. Why were so many were actively permitted to get away with their crimes?
-3
Ready for a night of legendary partying, three college students must weigh the pros and cons of calling the police when faced with an unexpected situation.
1
In the aftermath of a deadly virus that left millions dead, a young man looks to find his place in a world forever changed.
-3
The Chola kingdom is under threat from forces both internal and external, and with crown prince Aaditha Karikalan, his younger brother Arunmozhi Varman and the emperor, Sundara Cholar separated by situations, it is up to a messenger to ensure the safety of the kingdom. Can he succeed in his mission, especially with Karikalan's former girlfriend, Nandhini, plotting to bring down the entire Chola empire?
0
A desperate father will risk anything, even his soul, to save his terminally ill daughter.
-2
At the height of the Cold War, a troubled soldier forms a forbidden love triangle with a daring fighter pilot and his female comrade amid the dangerous surroundings of a Soviet Air Force Base.
-2
A married couple rents a beachside Airbnb, only to be surrounded by peculiar neighbors and occurrences. They soon discover they are in the grip of a mysterious cult and their ancient sea god.
-2
Dwight and his sister Jessie reach a crossroads over what to do about their little brother Thomas, a sickly child with a mysterious affliction.
-3
Shipwrecked on a remote desert island, Hammond and Belleci use their engineering and scientific skills to not only to survive, but to construct a paradise island playground.
1
This film is for those who really miss Paulo Gustavo! 'SON OF A MOTHER' shows the delightful complicity between the actor and Dona Déa, his inspiration to create Dona Hermínia. With never-before-seen footage, the film follows the funny and exciting backstage of the artist's last tour. Get ready to laugh, cry and remember why Paulo Gustavo is unforgettable.
2
A construction worker seeking revenge, moonlights as a vigilante, and thwarts the completion of a sizable drug deal. A malevolent cartel boss kidnaps the workers wife, only to find he has underestimated the tenacity of his new adversary.
-3
Longing for love, obsessed with sex, Linda is on the hunt for the perfect lover. But finding Mr Right is much harder than she thought.
3
An unsuspecting couple get into a rideshare only to find out that they may have to fight for their lives as the deranged driver puts them through life and death situations. Be careful who you accept a ride from, it may be your last.
-2
A troubled ex-marine embarks on one last mission, to get even with the four men who robbed him of the only beautiful thing he'd ever had.
0
It follows Kathy, a food critic in New York City. Her parents ask her to come home for Christmas, and there she meets a handsome police officer, which now complicates her situation.
0
Rahim is in prison because of a debt he was unable to repay. During a two-day leave, he tries to convince his creditor to withdraw his complaint against the payment of part of the sum. But things don't go as planned. Is he truly a hero?
-3
A dark social satire inspired by the real life conspiracy theory known as Pizzagate. An amateur journalist and a far-right militiaman team up to expose the ugly truth behind rumors involving sex cults, a pizza place, and the lizard people.
-4
From the writer/director of Lionsgate's recent release of THE SPORE, comes a tale of possession by the possessed.  On a routine call, Deputy Fisher (Peter Tell "The Spore", is tasked with watching over the body of a recently deceased woman.  As curiosity gets the better of him, he accidentally conjures a strange and sinister force.  He's now forced to face his own demons with terrifying consequences.
-2
To become a human, a 999-year-old Gumiho, Shin Woo-yeo needs to fill his fox bead with human energy before he turns 1,000 years old. One day, a college girl, Lee Dam accidentally swallows Woo-yeo's fox bead.
0
Fight alongside Sylvester Stallone as he creates a brand-new director's cut of Rocky IV: ROCKY VS. DRAGO. This feature-length documentary offers a personal and uncompromising look into the editing process, captured by Sly's longtime friend and fellow filmmaker John Herzfeld.
-3
Ally Morgan is a workaholic ER doctor struggling for work-life balance with boyfriend, Josh. On the night they breakup. Ally is miserable alone before a chance encounter with handsome barista, Gabe leads her to fulfill a Christmas bucket list of fun activities she never would have done on her own. Ally's best friend and fellow ER doctor, Dawn has never seen Ally so engaged outside of work and is rooting for a Gabe-Ally relationship. Now, the saintly Maureen must redirect Gabe's heartfelt intentions if Josh and Ally have any chance at reconciliation this Christmas.
6
Live the real-life drama of Sacha Baron Cohen, as Borat Sagdivev, where he spends five days at the peak of the Covid-19 pandemic with two conspiracy theorists. Then, in Debunking Borat, see the two conspiracy theorists have their theories debunked by some of the world’s leading experts.
-1
A serial killer ruthlessly hunts down a deaf woman through the streets of South Korea after she witnesses his brutal crime.
-5
After returning from abroad after a break-up with his long-term partner, Justin plans to connect with his teenage daughter he gave up for adoption. His plans to make new memories with his daughter at the family cottage go awry when he discovers his parents left it to his picture-perfect step-sister, Maisy-May.
-1
Pushpa Raj is a coolie who rises in the world of red sandalwood smuggling. Along the way, he doesn’t shy from making an enemy or two.
-1
Three autistic roommates find a way to live together and strive for similar things in life.
0
London is a drug laden adventure that centers on a party in a New York loft where a young man is trying to win back his ex-girlfriend.
1
An atheist archaeologist turned believer must race against time to prove the true existence of the legendary Ram Setu before evil forces destroy the pillar of India’s heritage.
-1
Based on the novel by María Dueñas, a romantic drama set in 1860 against the backdrop of different historic world cities.
1
Baratunde Thurston explores the country's diverse landscapes to see how they shape the way we work, play and interact with the outdoors.
1
A group of soldiers are ordered to hold a bridge during a zombie outbreak, but what lives underneath the bridge, proves to be even more deadly.
-3
An egoistic real estate broker in huge debts, meets with an accident. As he gains consciousness, he realizes that he is in heaven. God appears before him and informs him that he must play a 'Game of Life'. If he manages to win, he will be sent back to earth; if he loses, he will be sent to hell.
0
Karl meets Nini at a Berlin train station: it is love at first sight. But the few hours they spend together before she travels back to Vienna end in a mishap in which Karl loses her phone number. He decides to move to the Austrian capital to find his dream woman again.
-1
A teenage girl with self-esteem issues finds confidence by spending her summer battling vampires.
0
TETHERED is a sci-fi mystery set in the present day. Detective Sam Morris starts on a missing-persons case that puts her own personal world into upheaval.
-2
When workaholic Tommy's wife insists that he spend more time with his family, he agrees to sign up for Family Camp. What Tommy didn't count on was being forced to share a yurt at camp with the larger-than-life Sanders family.
0
A soldier reunites with his wife to take in the attractions at their favorite Halloween spot. But when real terror follows them home, they must fight for their lives - or become the next attraction.
2
A fictionalized biopic of Aline Dieu, a multitalented singer from a musically inclined family.
0
After getting a car ride from an unknown man, Lisa wakes up in a tube. On her arm is strapped a bracelet with a countdown. She quickly understands that every 8 minutes, fire burns an occupied section. She has no choice but to crawl into safe sections to survive. To know why she’s there and how to get out, Lisa will have to face the memories of her dead daughter…
-2
A stand-up comedian and his opera singer wife have a two-year-old daughter with a surprising gift.
0
In 1986, counsellors at Camp Trustfall are preparing for the new summer. It's all fun and games until one of the new counsellors goes missing. Now, an evil lurks in the darkness. Is it the camp legend come to life or does someone else have an axe to grind?​
-2
Anything’s Possible is a delightfully modern Gen Z coming-of-age story that follows Kelsa, a confident high school girl who is trans, as she navigates through senior year. When her classmate Khal gets a crush on her, he musters up the courage to ask her out, despite the drama he knows it could cause. What transpires is a romance that showcases the joy, tenderness, and pain of young love.
3
A renowned wellness influencer invites one of her recently overdosed followers to seek recovery at her small-town manor. Once the follower arrives, she realizes the dark world existing within the manor is not what she–nor millions of others–perceived from the internet.
1
The controversial life and history of Argentine football legend Diego Armando Maradona. From his beginnings in Villa Fiorito, one of the poorest barrios of Buenos Aires, to achieving glory on the international football league. Earning himself a well-deserved place in history. Living a life strewn with drugs, sex and public scrutiny, he played by his own rules regardless of the consequences. Watch the man who took the world by storm and made his way into the hearts of millions.
-1
Two socially-awkward thirty-somethings and a young con woman start a rock band that takes the Buenos Aires music scene by storm.
0
Jane Noury lives with her family in rural New Jersey, and like any teenager, must balance friends, family, and school. While today's political and social climate may not seem like the easiest time for a transgender teenager to grow up, you haven't met her family, the Nourys. They wear their hearts on their sleeves and find irreverent humor in daily life, while Jane sets her sights on life beyond her family."
4
Set on computer screens and found footage style content, the movie follows six actors who decide to shoot their own horror movie as their hit TV show is on the brink of cancellation. In their search for a plot, they unintentionally summon a spirit with an affinity for violence, who starts picking them off one by one.
0
One of the top high jewellery maisons accepted to open its doors to our cameras. We'll follow Lucia Silvestri, a passionate gem hunter and creative director, on an exclusive journey along the stages of high jewelry creation. From the search for finest gems in India, to collaborations with influential celebrities such as Zendaya. A unique discovery of high jewelry secrets.
7
Agoraphobic young man Henry, living with a Youtuber and struggling actor Eric, hacks the webcams of young women, and suspects that one of them is a serial killer.
-4
In the blood-soaked Kolar Gold Fields, Rocky's name strikes fear into his foes. While his allies look up to him, the government sees him as a threat to law and order. Rocky must battle threats from all sides for unchallenged supremacy.
-5
Two lifelong buddies must unravel the circumstances that led to a corpse in their bathtub in the wake of a Halloween party.
0
Follows Ahmed, a 18-year old, French of Algerian origin, who meets Farah, a young Tunisian girl. He discovers a collection of sensual and erotic Arab literature and falls in love with Farah and he tries to resist the desire.
0
In one night, a madam at a brothel makes plans to get pregnant, while a magician working across the street makes a drastic move to change his life.
-1
Two terminally ill hospice residents conspire to make their spouses fall in love with each other to lessen the impact of their death. Things go awry when they themselves fall in love and one of them begins to feel better.
-1
By day, Mari and her friends broadcast their spiritual devotion through pastel pinks and catchy evangelical songs about purity and perfection, and by night they form a vigilante girl gang, prowling the streets in search of sinners who have deviated from the rightful path. After an attack goes wrong, leaving Mari scarred and unemployed, her views of community, religion, and her peers begin to shift.
0
Boston's own bold and brash Kendra Cunningham is back to share her personal accounts of growing up with deceptively sophisticated parents, her awkward promiscuity in the dating scene, and her unexpected commonalities with a female baboon. Come for the hysterical & boisterous comedy and stay for the recipe to her grandmother's famous dump cake. This is a special you won't want to miss!
-6
Everyday people find themselves in the midst of a global tragedy when two Boeing 737 Max planes crashed only five months apart in 2018 and 2019. This powerful documentary is told through the perspective of affected family members, their legal teams, whistleblowers, and Pulitzer-winning Seattle Times journalist, Dominic Gates.
-1
Guilty Minds is a legal drama about one family that is the paragon of virtue and the other, a leading law firm dealing with all shades of grey.
1
A female lawyer travels back in time and crosses paths with other women in history who fought for women's rights.
1
In the year 2025, the 45th President of the United States of America is back for his 2rd term in office and re-implements the Purge. With the 2nd Mexican border wall in the works, Homeland Security is cracking down on criminals to Make America Safe Again. Bill Wilson makes the bust of his career by taking down a member of the Mexican Drug Cartel and makes a small seizure of narcotics and cash that draw interest from a group of dirty agents. The following night, the night of the annual purge, Bill receives some unexpected visitors that pay him and his family a visit as they attempt to survive the next 12 hours by safety in numbers.
-2
Henry, an english writer who has written a new book that has become a failure in the U.K, gets notified that the dull book has been highly trending over in Mexico. Little does he know that Maria, a spanish translator, turned the book into an erotic novel. Henry and Maria then swerve around Mexico to do a book tour and go through a wind of events.
-2
In the early 2000s, Aurelien Cotentin is a young middle-class man from Caen with an uncertain future. When he gets into rap music with his friends, he's really starting from the bottom. Yet, through hardships, controversies and constantly being filmed by his admiring little brother, Aurelien becomes Orelsan, one of the most popular French artists of his generation, changing the rap genre forever.
-1
Terrorized at multiple stops on a road trip to Joshua Tree, three friends realize something unexpected is pulling the strings.
-1
Jim is an average New Yorker living a peaceful life with a well paying job and a loving family. Suddenly, everything changes when the economy crashes causing Jim to lose everything. Filled with anger and rage, Jim snaps and goes to extreme lengths to seek revenge for the life taken from him.
-2
Reality dating series where contestants have a chance to revisit their missed connections and take another shot at love.
0
Introducing 3 agents in the Sydney property market; we follow Gavin, D'Leanne and Simon as they hustle, negotiate and deal - in their quest for success.
1
A lethal virus forces humanity to remote regions for survival, one family fights to try to save its children from a band of marauders bent on revenge.
-3
When Sara hears a preacher say faith can move mountains, she starts praying. Suddenly people in her town are mysteriously healed! But fame soon takes its toll – can Sara’s family save her before it’s too late?
0
Mariel is a veteran elite diver who has one last chance at the Olympic Games. However, when a terrible truth comes to light, Mariel faces her biggest personal question: Is winning her true dream?
1
The film follows Ghislaine Maxwell growing up in Oxford as the daughter of notorious media tycoon and fraudster Robert Maxwell, her life in London, and then her reinvention in New York, where she meets Jeffrey Epstein.
-1
A youngster from Tamil Nadu goes to Bombay in search of a better life and gets sucked into the underworld. Will he be able to find a way out of the violence and bloodshed?
-1
This true story begins on a weekday morning in a peaceful suburb of Akron, Ohio, the town awakens to discover that Rachel Turner and her son, Evan, have been brutally murdered during the night. A short while later, Danny Turner is found in his car at the bottom of a ravine, after having taken his own life.
0
An honest testimony of addiction, and one woman's discovery that the only way to save herself, is to save others.
1
A group of neuropsychology graduate students work to unlock the potential of the brain. One student, Adam, takes his lab work too far. When his self-induced experiment goes wrong, he unwittingly unlocks repressed memories and begins to be haunted by disturbing visions. As Adam digs deeper, he finds that there is someone who doesn't want him to uncover the sinister truth. Adam and his friends must work together to help him confront his recollections and figure out what is truth and what are lies before it's too late.
-2
English artist Louis Wain rises to prominence at the end of the 19th century for his surreal cat paintings that seemed to reflect his declining sanity.
1
7 years after the events of Drishyam, the family lives with the trauma from that fateful night. A gripping tale of an investigation and a family threatened by it. Will Georgekutty be able to protect his family this time?
-1
A dream vacation of a lifetime quickly turns into a hijacking, endangering passengers and crew, on a boat journey down the Amazon River and into the Brazilian rainforest. Desperate criminals storm aboard, pursuing a lost fortune in the jungle. Now under threat, and with food and fuel running low, the once idealistic tourists - now hostages - must use all their ingenuity as their Amazon cruise becomes a descent into a desperate struggle for survival.
-4
Eve used to be one of the most famous rose creators in the world. Today, her company is on the verge of bankruptcy. On top of that, her secretary Vera has hired three outcasts with absolutely no gardening skills. Though they have nothing in common, they come up with the most crazy plan that could change their lives forever...
1
Mountain biker Benny Jones sets off on a weekend ride to remote Crow Valley but is knocked off his bike in a brutal hit and run. He wakes badly injured in an abandoned cabin where he meets young hiker Greta. When her lies and sanity start to unravel he finds himself in a desperate fight for survival.
-4
Follows a gamer who quits her college esports team due to sexism from her male counterparts.
0
In 1592, admiral Yi Sun-sin and his fleet face off against the might of the invading Japanese navy and its formidable warships. As the Korean forces fall into crisis, the admiral resorts to using his secret weapon, the dragon head ships known as geobukseon, in order to change the tide of this epic battle at sea.
-1
The movie centers on two hunters, friends for years and vying for the affections of the same woman, who find themselves on cursed land and keep killing each other and coming back to life.
-1
When the aging Meyer Lansky is investigated one last time by the Feds who suspect he has stashed away millions of dollars over half a century, the retired gangster spins a dizzying tale, revealing the untold truth about his life as the notorious boss of Murder Inc. and the National Crime Syndicate.
-5
The Songbirds guitar museum hosted the world's largest collection of vintage guitars. Covid-19's devastating blow to the music industry forced the museum to permanently close. This documentary film explores the final hours and cultural impact of this special collection.
-2
9 teams of pastry chefs and cake artists compete for honorary citizenship to the City of Seuss, the key to the city, and $50,000. From The Cat in the Hat, to Green Eggs and Ham, The Lorax, Horton Hears a Who, each episode will bring to life the world of Dr. Seuss in the sweetest way possible.
0
The story of two teenagers trapped in an endless time loop who set out to find all the tiny things that make that one day perfect.
0
Ambar & Dika have just begun with a new chapter of life when years-old grudge of a malicious entity unfolds before their eyes. With a gift she unwillingly has, Ambar is now forced to finish the vengeance of the entity, a headless Dutch spirit, Ivanna.
-4
A hyperlink crime-drama that explores a day in the lives of seven strangers as their paths interconnect in a way that may alter their lives forever.
-1
A family of sadistic butchers lives deep inside the backcountry. From the dead of winter to the dog days of summer, anyone who crosses their path is dead meat.
-3
October 1992. A group of law students head to a remote home upstate where a girl disappeared two years earlier.
0
After a violent home invasion leaves him in a coma and his wife deeply traumatized, a mild-mannered husband awakens to find out that one of the attackers is still on the loose. As they try to move on with their lives, one day his nearly-despondent wife spots the attacker, opening up a twisted tale of brutal revenge where all isn't as it seems.
-6
Set in the late 1990s, once a year a group of men choose to hunt human targets on a remote island. A developer and his mistress retreat to a getaway cottage where they are taken hostage, brought to the island, and hunted for sport.
-3
Five close childhood friends try to leave behind the problems that separated them for 7 years and resume an old musical dream while together they search for love, their calling and a very elusive happiness.
1
An inner-city teenage boy's life is turned upside-down when his drug-running sister goes missing. Lakota's sudden disappearance leaves Derrick to piece together the clues of her abduction. Derrick experiences visions which he struggles to understand but which help him on his quest to find her. As he gets close to finding his sister, Derrick ends up in the fight of his life.
-1
Inspired by the life of Captain Vikram Batra (PVC), the film celebrates his bravery, valiant spirit and honors his invaluable sacrifice during the Kargil War of 1999, at the age of 24.
4
A super powered vigilante fights an organization to free a city from darkness.
1
Abby, a wildlife biologist, travels to remote Alaska where she finds inspirational guidance from a Native American family and possible romance from a rugged wilderness guide.
2
Humans live in a comfortable dream that repeats itself. They control the dream. They were humans once too. Some humans wake up, most don't. Daniel wakes to be told that things could be different. Daniel believes it. For a while at least.
1
A young girl learns she may have to sell her beloved pet pig, Elvis, to a local farmer to save the family farm. Unbeknownst to her, the pig is in real danger, the farmer is planning a pig roast and not a forever home. After getting wind of the plan, the whole family bands together to save Elvis, uniting to reclaim their farm and prove that love is worth more than money.
0
Prince Akeem Joffer is set to become King of Zamunda when he discovers he has a son he never knew about in America – a street savvy Queens native named Lavelle. Honoring his royal father's dying wish to groom this son as the crown prince, Akeem and Semmi set off to America once again.
1
When a little girl is found after going missing, only her older brother recognizes the evil force that has returned in her place.
-1
A minor girl goes missing in a small town in Tamilnadu and an investigation follows. A sub inspector investigating a missing girl's case in a uncovers some shocking revelations and dirty truths those threaten to shake up the cultural societal fabric.
-3
After Alice Jackson left her home due to a profound paranormal experience, world renown paranormal investigator Steve Gonsalves takes on the case making it his personal mission to help Alice face her fears so she can move back into her home. This film is the much anticipated follow up to the hit documentary The House in Between. Part two the continuation shows a detailed look at one of the most haunted homes in America and the real-life struggles of Alice Jackson and the team working to help Alice get back into her home. Science and the paranormal come together bringing one of the most thorough paranormal investigations ever documented. Who or what is haunting Alice's home?
-1
Four best friends living in Harlem strive for world domination.
1
Charlie and Lisa, two divorced parents in their 40's who find themselves at a midlife crossroads. Both are single parents and they have four complicated teenagers.
-1
A group of young adults spend the weekend at a friend's house by the lake. Joined by the local sheriff, the group encounters an escaped convict Native American chief, a copycat killer and the return of the terrifying masked killer, Damon.
-2
The life and career of controversial F1 and political figure, Max Mosley.
-1
A young Sardar Udham Singh left deeply scarred by the Jallianwala Bagh massacre, escaped into the mountains of Afghanistan, reaching London in 1933-34. Carrying an unhealed wound for 21 years, the revolutionary assassinated Michael O’Dwyer on 13th March, 1940, the man at the helm of affairs in Punjab, April 1919 to avenge the lost lives of his beloved brethren.
-3
A young vampire joins an unlikely ally to hunt prey during the coronavirus quarantine.
-1
A young maidservant named Liu Ying saves a snake on behalf of her young mistress in a chance encounter. However, the snake turns out to be a thousand year ancient dragon named Yuchu Longyan, who now wants to marry her to repay her kindness. The two's lives then becomes entangled with each another as their love transcends over three lifetimes.
1
An agoraphobic and washed up rock star is confronted by a nosy new neighbor and an imaginary nuisance pressuring him to leave his house and rejoin a life he both fears and has forsaken.
-4
An intrepid and good-hearted son fights to make his arrogant father pay the price for his sins, which includes his mother's death, and save his brothers from the man's grip.
-3
When his mother relapses, Oliver is forced to go look for his younger brother in the world of crime throughout the night.
-2
As Miles, Ashley's partner of 12 years and father of their son, is suddenly incarcerated, she is left to navigate a chaotic and humorous existential crisis when she's forced to move in with Miles' mother and half-sister.
-1
The story of two warring coaching institutes, and the consequences of their rivalry on the students who come there to study. A journey of friendship, first love, heartbreak, peer pressure and the loss of innocence of youth.
-1
Afreen, a rebellious Pakistani student sets ablaze the car of an Indian in London. Angered Afreen returns to Pakistan to ask for money from her grandfather that she has to pay in a month's time as damages. However, she gets to know that he is no more and the only thing he has left for her is a letter-delivering task, written by Ram to Sita. As Afreen sets out to find Ram, there begins her journey of discovering the secret behind the 20-year-old letter.
-2
Nick and Janine live in bliss until her ex warps time to try to tear them apart by using Nick's old girlfriend. As Nick's memories and reality disappear, he must decide what he's willing to sacrifice to save -- or let go of -- everything he loves.
2
Two best friends move in together but disagreements about cleaning and house parties are destined to drive them apart.
0
A deceased Sicilian father, has one last outrageous mission in store for his son - spread his ashes in the lemon groves of Sicily, reunite two feuding families, discovering the heart and soul of who he really is.
-2
In this one-of-a-kind social experiment, four individuals attempt to find their perfect spouse via astrological matchmaking. Their romantic adventure takes place at a retreat run by a mystical guide, the Astro Chamber. They mingle, match, date, eliminate, and eventually make the biggest decision of their lives… will they marry their match based solely on their astrological compatibility?
1
After a heart transplant a young woman finds herself connecting with a homeless man through classical music. Throughout a series of dramatic performances and emotional events the two worlds begin to merge as one.
0
An Argentinean intelligence agent infiltrates the Jewish community to gather information that is then allegedly used to perpetrate two of the worst terrorist attacks in Latin American history, leaving over 100 dead.
-2
It’s the first day of the 1963 school year at Voltaire High! And for the first time, girls and boys will mingle. This first year of coeducation is full of surprises, both for teachers and students.
0
Two crazy, jobless, horror-film addicts Major and Gullu, under immense family pressure to find work, hit upon the idea to float a unique ghost-capturing service when they meet a spirit, Ragini, who makes their business a success but in return asks them for a favour which they are compelled to honour.
1
Despite having just 40,000 residents and limited financial resources, the Schwäbisch Hall Unicorns have been able to compete at the highest level of football in all of Europe. But as more money floods into the sport, coaches and fans must face the question: has this team become a relic of the past or can their remarkable culture propel them beyond the constraints of reality?
0
A father who never stopped fighting against drugs. A son who never stopped using them. Two sides of the same coin. Victor is a cop who has fought all his life to curb cocaine trafficking. His son is a drug addict who has become one of the most wanted burglars in Rio de Janeiro. Will a father’s love be enough to save his son’s life?
1
The wedding of their youngest sister, Janet, brings Gwen and Kay home to St. John’s, Newfoundland. While Janet struggles to hide her family’s dysfunction, Kay can’t help but create chaos wherever she goes and Gwen finds herself paralyzed by a past secret. The complicated web of relationships between the sisters, their Aunt Maureen, their absent mother, and Kay’s young daughter Billie, is only illuminated by the wedding. Gwen’s attempts to get Kay to take responsibility for her daughter highlights her own abandonment of her ex, Tom, leading them all to a not-so-perfect storm of a reception.
-3
An ex-soldier ventures into the Pacific Northwest to uncover the truth behind his fiance's disappearance.
0
1828 in the German port city of Bremen: Two very different women collide in an age that has no place for either of them. One strives for a career in law, at a time when women aren't even admitted to universities. The other has lived life outside the law and may now have to pay the tab. One of them needs to get her head together – while the other would do anything not to lose hers. -- Based on a true story.
-1
Strange cravings and hallucinations befall a young couple after seeking shelter in the home of an aging farmer and her peculiar son.
-3
In 1914, a British nurse escapes an attack on her outpost in Africa. Hunted by a German-led war party, and with help from local warriors, she embarks on an epic journey to save a neighboring outpost from a massacre.
-2
13 years ago, Jane Arcs was condemned to death after brutally killing her opponent in a underground street fight. Now, in just 24 hours, Jane will be executed for her crime. During her 13 years on Death Row, Jane has undergone a major evolution under the tutelage of a fellow inmate and Qi Gong Master Xin, learning the way of Qi Gong and ostensibly gaining supernatural abilities. As the day of her execution arrives, Jane embraces her punishment in the spirit of transformation. Max Stone, Jane's boyfriend as well as correctional officer and part of the execution tie down team, has very different ideas. He is willing to do anything to save Jane. Will he kill others to save her life? Or will Jane help him to see the light and to let her go? The Way, climaxes as the essence of spirit collides with the raw power of desire, ultimately bring the audience full circle in seeing how both are essential to being human.
-4
Set during the Meiji reformation era in a small village in Kyushu, Japan. The story revolves around a young boy named Izana and a blind woman named Takiri, the two encounter the large monster Nebula who since ancient times was feared as the god of lake Amenosagiri. Theme of the film focuses on the Japanese concept of light and darkness, as told by puppetry and model miniaturization of the films’ world with practical special effects by Keizo Murase.
-3
The perfect wife kills her war hero husband because of obsession, jealousy and deceit. While being evaluated to stand trial, her convincing manner sends her doctor to find her invisible and drives an orderly to the brink.
1
Michael, a struggling actor, dies right after a bad breakup. He finds himself awakening in a very bright room with a very strange lady and learns that he is in singles Purgatory, where he must find his soul mate in order to cross over to the other side. With limited time to find true love among other recently deceased single New Yorkers, Michael must navigate the new customs of a ghostly dating life... as if dating in life wasn't hard enough already.
-2
The definitive documentary on the US and Mexico men’s national soccer teams told through the lens of one of the fiercest rivalries in international sports. The series peels back the political, social and sporting layers of the rivalry through the eyes of Landon Donovan (US) and Rafael Márquez (MX), who became symbols of their countries’ soccer cultures.
-2
Three friends in their mid-20s struggle to navigate their professional and personal lives, colliding head on with the messy, hilarious and dreadful growing pangs of adulthood.
-2
In the forgotten town of Carp, Texas, Panic is the only way out. Every summer the graduating seniors risk their lives competing in a series of challenges for the chance to win life-changing money. After the death of two players the stakes—and danger—have never been higher.
-3
The life of a corrupt-white cop is jeopardized while on the job as a result of shooting an unarmed gay black teenager.
0
Chronicling the misadventures of Fara, a 30 year old woman, with no flat, no job, and no boyfriend, who faces family pressure to finally grow up.
0
A feature documentary celebrating everything great and British
1
Four friends take a cottage vacation in the dead of winter, seeking refuge from their busy urban lives, if only for one weekend.  However, the few residents who remain in the secluded cottage town of Rideau Ferry don’t seem to take kindly to strangers…  From the moment they reach their destination, the visitors, a group of twenty-something artist types, are confronted by the ominous gaze of neighbouring cottagers, all of whom have no choice but to tough out the cold winter in this small, rural town. Over the course of their stay, the friends begin to uncover dark details about the inhabitants of the houses around them. After one of the friends is found mutilated on the front porch of a nearby cottage, the friends quickly discover that nothing is what it seems.
-2
When Sarah, a real-life vampire, gets audited, the last thing she expects is a date. But an unlikely spark with IRS agent, James, forces two misfits to confront whether they have the courage to commit the radical act of falling in love.
-3
7 years after the case related to Vijay Salgaonkar and his family was closed, a series of unexpected events bring truth to light that threatens to change everything for the Salgaonkars. Can Vijay save his family this time?
-1
The Diaz siblings, Lily and Jorge, are on a mission to find love and purpose. They cross paths with seemingly unrelated residents during some of the most heightened days of the year—the holidays.
1
Glen was surprised when he accidentally cheated on death, with infidelity. Now the real problem is: How will he explain his luck to Maya, his wife?
-2
A mind-bending love story following Greg who, after recently being divorced and then fired, meets the mysterious Isabel, a woman living on the streets and convinced that the polluted, broken world around them is just a computer simulation. Doubtful at first, Greg eventually discovers there may be some truth to Isabel’s wild conspiracy.
-4
The warmhearted story of Polish immigrant and mathematician Stan Ulam, who moved to the U.S. in the 1930s. Stan deals with the difficult losses of family and friends all while helping to create the hydrogen bomb and the first computer.
-1
Irfan, an innocent Muslim chemical engineer with an ordinary life, is caught in inexplicable circumstances, when accused of being a most-wanted terrorist, that alter his life & everyone around him.
0
The true story of a small-town, working-class father who embarks on a walk across the U.S. to crusade against bullying after his son is tormented in high school for being gay. Meanwhile, he realizes he is instead missing out on his son's life back at home.
-2
Lara Winslet is an expert geologist in volcanology. She is together with her team of work on a volcano to conduct surveys. One day Lara decides to stay a little longer to finish an exam and she remains alone. Returning, she has an accident, falling inside a hole in the ground and remains blocked inside there, where no one can neither see nor hear her.
0
Close friendships are slowly pulled apart as a once shared dream is abandoned by one in favor of fatherhood.
0
Every summer, the Billionaire Tranchant and his wife Eliane host the glamorous world of celebrities in their luxurious mansion in the south of France. When a criminal car sabotage related to threatening letters wreak havoc in the villa, Tranchant goes in search of the best agent for the investigation. In the middle of this hot summer, only the arrogant and incompetent agent Boullin is available... To catch the suspect and solve the mystery, he will have no choice but to impersonate a newly hired butler and will turn everyone’s vacation into a hilarious game of ‘Cluedo’!
-3
The eight-episode series, filmed by The Mediapro Studio during the 2021 MotoGP™ season, followed the riders on and off the track. It features the stars during some spectacular highs, as well as some of the more difficult moments a MotoGP™ rider faces when dedicating your life to such a demanding sport.
1
In Here I Stand, drag queen and comedienne Miz Cracker discusses everything from sex and dating to quarantining, dieting, and getting older. This is a show for anyone who needs to laugh out loud - especially at themselves.
-2
Without warning, millions of mysterious alien “doors” suddenly appear around the globe. In a rush to determine the reason for their arrival, mankind must work together to understand the purpose of these cosmic anomalies.
-2
The stream-of-consciousness odyssey of Gabriel, a young male gigolo, as he encounters an eccentric group of characters on his attempt to escape Hotel Peridot.
-1
Occult expert, Rob Regis, and hired cinematographer, Tyler Sternberg, find themselves in grave danger when they investigate an evil cult for a documentary.
-2
Four paranormal researchers and YouTubers document the paranormal claims of the Harrisville Farmhouse. The inspiration for the well known movie "The Conjuring". Is it truly haunted?
2
Join Katherine and some of the best UK comedians for a stand-up show with a twist: backstage footage, totally unscripted and incredibly funny.
0
A decorated Marine goes on a rescue mission to save his two young sons from an unhuman threat. As their journey takes them in increasingly dangerous directions, the boys will need to leave their childhoods behind.
-2
Pete Buttigieg, the Mayor of South Bend, Indiana runs for President of the United States. With extraordinary access to the candidate, his husband Chasten and member of the campaign team, the film follows Buttigieg from before he officially announced his candidacy, through the campaign and his victory in the Iowa Caucus and his appointment to the Biden Administration as the first LGBTQ Cabinet member in history.
1
The final months of Boleyn's life, her struggle with Tudor England's patriarchal society, her desire to secure a future for her daughter, Elizabeth, and the brutal reality of her failure to provide Henry with a male heir.
-2
One year after their father's death, Charlie and Betty continue to ignore their grief, each other, and the mysterious creature following them. Their estranged Uncle Pete, believed to be dead, claims to know how to end the suffering.
-7
Hamptons locals Avery, Frankie, Habtamu, Reid, Emelye, Hunter, and Juliet are set on having the best summer of their lives, but tides change when city newcomer Ilan moves out there for the summer.
1
An inside look into the fascinating life, career and survival of the most unknown famous entertainer in Hollywood.
2
Mario decides to tell his family the truth about himself. But when he is finally ready to come out in front of the entire family, his older brother Vicente ruins his plans.
0
Ammu's thought marriage was a fairy tale – full of love and magic, ends when her cop-husband Ravi hit her for the very first time. What Ammu thought was a one-off incident soon turned into a never-ending cycle of abuse, trapping her and breaking her soul and spirit. Pushed to her limits, Ammu teams up with an unlikely ally to break free.
-2
Captain Sara Bellaiche, from Toulouse Judiciary Police branch, is investigating a go-fast linked to the murder of two teenagers, an investigation led by Richard Cross, from the Paris Criminal Brigade. Forced to collaborate in order to find the murderer and stop the bloody go-fast, Sara and Richard are both thrown in a breathless race against the clock on the roads of Spain and France.
-3
A small town detective while investigating the disappearance of a local woman comes across an unassuming Sociology professor who is hiding a secret life.
0
A pregnant woman from a primitive tribal community, searches desperately for her husband, who is missing from police custody. So as to find her husband and seek justice for them, as their voice, a High Court advocate rises in support. Will their battle for justice succeed?
1
In the near future, The Tangle, an A.I. utilising airborne nanotech, connects the world. It is a benevolent guardian, returning law and order to society.  To ensure that The Tangle never turns rogue, a government agency watches over the tech from within safe rooms, locations impermeable to the nanobots that make up The Tangle. When field agent Margot Foster is found dead in one of these rooms, the agency needs to investigate the first murder in years.
-4
Mike Markovich, a young stockbroker at a Mob-controlled Wall Street firm, is betrayed and imprisoned for six years. When he is released, his deadly quest for vengeance begins.
-2
Renowned paranormal investigator Chad Calek shares over an hour of the most intense paranormal activity he's ever captured during his 25-year investigative career.
0
There's a massive student loan crisis in America. Millions have found themselves buried beneath a mountain of debt. Entire generations are trapped. Borrowed Future uncovers the dark side of the student loan industry and exposes how the system is built to work against you. We meet a group of high school students as they're about to make one of the biggest financial decisions of their lives, and then the other side: the reality for adults living with student loan debt. Do 17-year-olds really understand their financial decisions today will affect the future in front of them? Borrowed Future proves that you really do have the power to beat the student loan system - but it's up to you. You get to decide to feed the system or fight back.
-4
In the Barrio of Oak Springs live a strong and stubborn group of elderly friends who refuse to be gentrified. Their leader, Lupita, keeps them together as a community, a family. But little did they know, their beloved Bingo hall is about to be sold to a much more powerful force than money itself.
1
Melanie has just gained consciousness to discover that she is being held hostage by the Walker family so they can harvest her special skin in order to create a breakthrough skin care cream, and bloom the business; also she's not alone..
2
Fuelled by delusions of grandeur Matt and Bird disguise themselves as humans and break out of the zoo to chase their dreams, only to learn that it's not so easy being human.
0
Babloo is a computer genius and Inaaya is a self-made billionaire. The two fall in love but due to unforeseen circumstances they suddenly part ways as the cybercrime lord, Laila wants him dead.
-1
A feature-length documentary exploring the unsolved murder of French bicyclist Alain Malessard who was found dead in an Oregon Coast campground on Thanksgiving 1987.
-2
Claire moves impulsively from NYC to Paris, where she nannies for the family from hell, battles wacky French bureaucrats, embarrasses herself in front of her Parisian crush and navigates a toxic relationship - among other faux pas.
-4
A glimpse into the life of Paul Pogba, the influential world-class French footballer.
1
All I Know So Far follows Pink on her 2019 world tour “Beautiful Trauma” as she tries to balance being a mom, wife, boss and performer. On that tour she played 156 shows in 18 countries and sold three million tickets worldwide. The tour is the 10th highest-grossing tour in Billboard’s Boxscore’s history, the biggest tour for a woman in over a decade, and she received Billboard’s Legend of Live Award in November 2019. It combines footage from behind-the-scenes interviews and personal material along with moments from her stage shows. The documentary is produced by Michael Gracey and Isabella Parish in conjunction with Luminaries, Silent House and Lefty Paw Print
2
A documentary covering the life and career of Manchester United and England legend Wayne Rooney.
0
Anthology series telling character-driven stories set at different moments in time, aiming to showcase that during people's most isolated moments, and in disparate circumstances, the human experience connects everyone.
-1
An elite Navy SEAL uncovers an international conspiracy while seeking justice for the murder of his pregnant wife.
-1
A man on the run looks back on his crime-filled life, the people who have shaped it up, his sins and his one last hope at redemption.
0
Few artists marked the 20th century like David Bowie did. He was an astonishing and eclectic performer. He was a true artist in every sense of the word. Infinitely changeable and unpredictable, he remains immortal in the people's heart.
1
In this anthology of chills, thrills, and kills, a practitioner of the magical arts teaches the basics of her craft. The most important lesson? You must be mindful of your intention. Five of her customers are about to learn this the hard way: A woman looking to change her luck gets ensnared in a dangerous game; In the quest for justice, a man is transformed into a monster; In an attempt to right a wrong, a woman rescues a stray cat; A father and son are torn apart when a joke goes too far; A young girl needs protection from the demons in her life. We all know the road to hell is paved with good intentions, so where does the road lead when your intentions are grave?
-1
An Army psychologist held captive by an unknown adversary must find her way out of an RV in the middle of nowhere to survive.
-2
A budding director tries to research a merciless gangster for making a film on gangsterism. But her secret attempts to conduct the research fail when she gets caught for snooping.
-3
Strange things are happening in Druid Hills, Kentucky, known mainly for its voluminous corn output. Victims of monsters in cornfields begin cropping up, and witnesses are saying there are large Great White sharks swimming in the corn stalks.
-2
Unable to cope with recent events, screenwriter Jason Miller dives relentlessly into his newest screenplay in an attempt to avoid dealing with a traumatic experience. Holed up in his apartment, his mental state teetering on the edge, he meets Lisa; his beautiful neighbor from down the hall and a relationship begins to develop. Jason burns the midnight oil to finish his script he becomes more and more intrigued by her as strange and mysterious things begin to happen in the building causing him to question everything. With Jason's mind unraveling, his life spinning out of control, we soon realize that things aren't always as they seem as he struggles to hang onto the one thing he wants most. - hope.
-7
After a near fatal car accident, a popular high school student loses her memory and gets a second chance at a more meaningful life.
0
Mike and Troy, two small-time crooks, go to a roadside cafe for a meeting they hope to make a big profit from.
-1
Randy Rhoads’ guitar riffs re-shaped rock ‘n roll and raised the stakes for guitarists around the world. Known primarily as the lead guitarist for Ozzy Osbourne and for his groundbreaking guitar work on the albums “Blizzard of Ozz” and “Diary of a Madman”, Randy spent most of his life playing in a small band known at the time, Quiet Riot. After leaving Quiet Riot to play, record and tour with Ozzy, Randy died at the young age of 25 in a tragic plane crash in Florida. His body died that day, but his soul and music live on forever.
0
A young mother returns to her estranged hometown of Detroit after the sudden death of her twin brother and immerses herself in his friend group, soon discovering that his death is not what it seems.
-3
Selling Isobel, a thriller based on true events, featuring the real victim in true life playing the main charter. It's about a woman who got locked in, drugged, held against her will and sold to numerous men for 3 days in an apartment in central London. It's a film about her fight for survival all the way to the gruesome end.
0
Afro-Brazilian poet and politician, the legendary Carlos Marighella. Driven to fight against the erosion of civil and human rights following the CIA-backed military coup of 1964 and the brutal, racist right-wing dictatorship that followed, the revolutionary leaves behind his wife and son to take up arms, becoming a notorious enemy to the power structure.
-2
A controversial rock band with ties to the occult and the maestros who work with them try to keep their west coast family dynamic together amidst the chaos of the industry as a haunting secret of the singer and a young groupie arrives on his doorstep. Their path intertwines with an east coast rookie kid who idolizes them and tries to make his way in the music business as the ultimate underdog.
-2
Hashiba Takeru is the leader of Global Operation Service (GOS), a secret spy organization housed within the Public Security Investigation Bureau which is tasked with eradicating criminals who are targeting Japan for various reasons.
-1
The Two Princes, imprisoned and allegedly murdered in the Bloody Tower within the Tower Of London by Richard III. The story tells how they allegedly came back to haunt the Tower and with guards and inmates starting to die in horrible circumstances, it becomes clear the Two Princes are out for revenge. A chilling ghost story based on the famous mystery.
-4
A much loved Parisian-style bistro located in Los Angeles between a thriving McDonalds and KFC, Belle Vie is owned and operated by the charming and hopeful Vincent Samarco, who struggles to adapt, survive and keep the bistro alive in the midst of a pandemic that has ravaged small businesses everywhere.
3
A 24-year-old music enthusiast Noah looks after his baby overnight for the first time.
1
Mahesh, a money lender, is swindled by a gambling addict called Kalaavathi in the US. While he comes to India to collect his debt, he decides to stay back and do his bit for the country's financial health.
-2
Zu, a free spirit estranged from her family, suddenly finds herself the sole guardian of her half-sister, Music, a teenager on the autism spectrum whose whole world order has been beautifully crafted by her late grandmother. The film soon challenges whether it is Zu or Music who has a better view of the world, and that love, trust, and being able to be there for each other is everything.
4
Josh Gondelman just wants everyone to have a good time. People Pleaser, his debut comedy special, hilariously explores the pressures of appearing in friends' dreams, having new enemies, and choosing the right wedding DJ.
1
Four great friends turn a celebration dinner into a complete nightmare; things turn toxic when friendship and envy sit together at the table.
1
Members of a cult invade the home of a wealthy family, but they didn't count on a resourceful babysitter who's armed with a variety of weapons.
3
After disappearing for over a week, River tries to put her fragmented memory back together, while teetering on the brink of insanity and questioning what's real vs a dream.
-2
A First class judicial Magistrate comes across an 8 year old boy-Nithin & his murder stories. Do they have real life connection?
-1
A time traveler, Norman, and his A.I. companion, A.N.I., become trapped and isolated in the past, jeopardizing life in both the past and the future. They must invent a way back to the future before the world collapses.
-3
Roman Juniper, a husband and father of three, is forced to go work on the Saturday of his daughter's birthday. He intends to make it back home in time for cake, but a sharp turn of events leads his family to believe their patriarch is in grave danger.
2
A woman suffering from bi-polar disorder, must rely on fragmented memories to help solve the murder of her lover.
-3
In 1985, an ancient evil began slaughtering the senior class in alphabetical order - but it was stopped. Two years later the evil has resurfaced, and 20 year old Jake Davis hunts down Zeke Zanderfeldt - a reclusive former classmate who put an end to the evil previously - to find a pattern to take down the evil again. Along with former high school theater queen Julia Lochley (who also practices in the dark arts), the trio band together against the demonic force that is claiming young lives each day. But what they discover might be more complicated than any of them bargained for.
-7
A fame-seeking televangelist and his film crew team set out to find the fabled Noah's Ark, but discover it is guarded by both an ancient curse and a prehistoric great white shark.
-1
Lisa and David, a writer and an entrepreneur couple from London travels to Ballyvadlea, Ireland for their working holiday. The short trip was planned so Lisa could start on her second book and David could work on his startup business plan, but unbeknownst to either of them the house was built on a cursed ground. Lisa's curiosity leads her to the discovery of the personal memoirs of Niav, the mysterious woman who once lived at the property a century ago, hence opening the long closed doors and in doing so awakens the demons within. David's only hope comes in the form of George, the wandering priest who has a story to tell. The narrative takes place in 1918, 1950 and 2010.
-1
16 handpicked candidates from around the world compete in a high-stakes game involving business and physical challenges. The winner receives a US $250,000 job offer to work directly under ONE Chairman and CEO Chatri Sityodtong for a year as his protege in Singapore.
2
Private Investigator Kevin Ramsey is hired to discreetly look into the murder of Sarah Vandy, TV star and wild child with a scandalous reputation.
-2
In a last ditch attempt to foster a meaningful bond, estranged sisters Beta and Zelda go in search of their mysterious Uncle Jerry.
-1
A teenage girl lives with her grandmother and worries she will be removed by social services. She sets off to get adopted by someone she admires more than anything, one of the most powerful women in the world.
0
Siblings Ana, Sofia and Beto try to outrun conventional relationships, like their parents' 30-year-long marriage, which has just come to an abrupt end.
0
Idris will provide seven disadvantaged young people with lessons in discipline, focus and determination by putting them through an experimental boxing school.
-1
Evading police at a remote farmhouse after fumbling a robbery, four criminals discover that the family living there is not who they appear to be.
-1
Follows Tariq and Cai, two best friends who work together at a zoo, but their friendship is challenged when Tariq plans to steal animals from the zoo and sell them to save his sister from an abusive marriage.
0

0
Krishna Dev aka KD, a laid back cop, works in AP HIT, has to take up a gruesome murder case. As KD unravels the layers of the crime, the stakes rise unbelievably high and the threat comes unusually close.
-5
Explores the role of the MTA in New York City and the impact that the Covid-19 pandemic had on the vital service it provides: transporting New York’s essential workers. The film acknowledges the decline of the subway infrastructure as a political issue and captures a tumultuous time that impacted every city in America. This film poses the question: what happens when the lifeline of a city goes flat?
-3
A fearless warrior. An epic love story. Witness the grand saga of Samrat Prithviraj Chauhan.
3
A Los Angeles socialite and so-called wellness practitioner seeks to overcome her life of luxury and achieve nirvana after hiring a film crew to document a more authentic journey along the path of enlightenment.
3
Amidst the problems in their childless marriage, Matías and Eva try their hand at matchmaking, setting up their friend Barbara with the man who seems perfect, Julián. Once they realize that Julian is not what he seems, they try to warn Barbara away, but she may already be too infatuated.
0
At the age of 30 and with a young daughter, Amber Evans is forced to start over after she builds up the courage to leaver her husband and the only life she's ever known. As she struggles to find her way, she meets Logan, a free spirited musician with a kind heart who lends an ear to Amber's situation. What starts out as close friendship however, quickly evolves into an unexpected romance. Now, Amber must come to terms with this new identity, amidst the turmoil of a divorce, before she loses the person that she loves. Will she cave to the pressure, or can she overcome her fears before it destroys her relationship?
-2
Filmed during Eddie’s 2019 tour, Wunderbar exemplifies Eddie’s unique, surreal view of life, love, history and her ‘theory of the universe’.
2
Liam is on the brink of divorce when he learns his wife Mia is diagnosed with cancer. She proposes a road trip to mend their relationship and her health.
-1
A young woman inherits a small island in New York and discovers it has a dangerous history.
-1
An ape crash-lands on Earth, which creates a sludge that makes him and a passing lizard grow to giant-size, resulting in a fight for dominance.
0
Four cousins are excited to celebrate Christmas with each other until their estranged grandfather summons them home for their beloved grandmother’s memorial.
2
Let, a reclusive, insomniac photographer, is hired to photograph a mysterious client in the forest late one night, and soon finds himself pulled into a bizarre, otherworldly quest.
-2
From iconic guitar player to construction worker, Chris Holmes has lived a life of highs and lows. After losing publishing rights of his own songs and dealing with addictions, the ex-W.A.S.P. member has had to start from scratch living in his mother in law's basement in Cannes, France. He is now ready to take on Europe with his new band. As we follow him along, he meets many fans and proves that he still is the showman he was as a young and famous rockstar. This musical journey draws parallel stories of the rise, fall, and rebirth of Chris Holmes with archives, live performances, interviews, and behind-the-scenes footage.
1
It follows The Three Wise Men, who are fed up with Santa taking more and more prominence from them. They decide to confront him without knowing that this war will awaken a much more dangerous common enemy: the Krampus.
-1
Filmmakers and paranormal investigators spend two weeks in the world-famous home that inspired the horror movie "The Conjuring."
1
Best friends for life, Jane and Fiona have done everything together since kindergarten – Jane following wherever Fiona will lead. Left devastated and adrift following Fiona’s sudden suicide, Jane’s only way to make sense of everything is by helping Fiona’s widow Gemma care for their young son Bailey. Polar-opposites, the two women have nothing in common save for their shared grief and love for Fiona.
1
After the death of his brother, Mick travels to America to seek Justice. Wrongly convicted of extortion and attempted murder, Mick is sent to Pleasant Hill Penitentiary's notorious death block 13. Seething with revenge after discovering the truth behind his brother's death, Mick's rage ignites an explosive riot as he makes a daring escape from Death Block 13.
-10
According to legend, an ominous entity known as the Queen of Spades can be summoned by performing an ancient ritual. Four teenagers summon the Queen of Spades, but they could never imagine the horrors that await them.
-3
The war between mankind and intelligent machines has begun - and the machines are winning. Tomasz is a deserter who tries to hide as far away from the battle as possible.  In the vast emptiness of northern Scandinavia he meets Lilja, the last survivor of a resistance group, who is determined to fight the superior machines. With every minute that passes the machines get closer, searching for the last remains of the human race. And the enemy doesn't just shoot on sight - their perfect sensors are programmed to recognize human voice patterns.  So if you speak or even whisper - you die.
1
Vivien, an accomplished student with a passion for physics, and Roy, a troubled young man, are involved in an accident that forces them to reclaim their lives one minute at the time.
2
In the early 1990s, with the deepening of reform and opening up, the development of the information industry opened a new page. Xiao Chuang and Pei Qing Hua, two stunned young people from the Institute of Computer Science and Technology of Yenching University, entered the business by stealing a Han card and were selected by the director Tan Qi Zhang to join the trend of computer sales. The researchers, headed by the two, looked at the right time, caught the policy breeze, started from acting as a foreign computer agent, and transitioned to independent research and development, from grassroots to a generation of business wizards. At the same time, it records the history of China's rapid development at the end of the 20th century. Adapted from the novel of the same name by Wang Qiang.
4
In the words of Anthony Anderson, Tiffany Haddish, Steve Harvey, Regina King and more, this docuseries tells the unbelievable story of how one man, Guy Torry, moved mountains to launch an all-Black comedy night at The Comedy Store. What started as an experiment in '90s Los Angeles turned into a breeding ground for today's greatest comedians, elevating Black voices to have their turn on the stage.
0

0
Haymaker follows a retired Muay Thai fighter working as a bouncer, who rescues an alluring transgender performer from a nefarious thug, eventually becoming her bodyguard, protector, and confidant. The relationship leads Sasso's character to make an unexpected return to fighting, risking not only his relationship, but his life. Its a story about human dignity and love.
1
A modern movie musical with a bold take on the classic fairy tale. Our ambitious heroine has big dreams and with the help of her fab Godmother, she perseveres to make them come true.
4
Emma's father and her high school frenemy start dating so she embarks on a mission to break up the happy couple.
0
A bouncer with an anger management problem goes on a furious and resentful rampage after the murder of a friend.
-6
A flatulent, aimless ne'er-do-well becomes a tour guide in a historic estate, and winds up befriending the manor's resident ghost.
-1
Malik, an aspiring painter, takes a job as a security guard at an art museum to make extra cash. However things quickly become terrifying when the figure inside one of the paintings starts speaking to him and walking around at night.
0
A look at the life and ideas of Pauli Murray, a non-binary Black lawyer, activist and poet who influenced both Ruth Bader Ginsburg and Thurgood Marshall.
0
In 2009, Scott Mescudi aka Kid Cudi released his debut LP, Man on the Moon: The End of Day. A genre-bending album that broke barriers by featuring songs dealing with depression, anxiety and loneliness, it resonated deeply with young listeners and launched Cudi as a musical star and cultural hero. A Man Named Scott explores Cudi’s journey over a decade of creative choices, struggles and breakthroughs, making music that continues to move and empower his millions of fans around the world.
-1
Cryptid documentarian Seth Breedlove and paranormal researcher Shannon LeGro continue their search for the truth behind the enigma of unidentified flying objects
-1
Zhou Lin Lin is the type of student who is good at some subjects but fails horribly at others. Through the meticulous study plan laid out for her by straight-A student Fang Yu Ke, Lin Lin not only manages to catch up but also gains admission to the top university in the country. After school started, the plain-spoken Zhou Lin Lin accidentally gets herself into a huge mess with rising tennis star Wen Tao and Fang Yu Ke’s good friend Xie Duan Xi. She also forms a sisterly bond with her dorm mates Ye Ru Ting and Zhu Li.

Through the help of Da Zui, Lao Ding and many others, it looks like Fang Yu Ke's long-distance marathon of love has finally reached the finish line. However, Zhou Lin Lin and Fang Yu Ke encounter various tests along the way. Yet from beginning to end, for the two of them, there is only you.
4
In an inaccessible place between the mountains and isolated from the world, a school is located next to an old monastery. The students are rebellious and problematic young people who live under the strict and severe discipline imposed by the center to reintegrate them into society. The surrounding forest is home to ancient legends, threats that are still valid and that will immerse them in terrifying adventures.
-6
A novelist with a severe case of writer’s block is given the chance to finish her book at an empty winter chateau. She's surprised when the property's owner, a prince, decides to come stay as well.
0
Back to the Rafters picks up six years since we last saw the Rafter family. Dave and Julie have created a new life in the country with youngest daughter Ruby, while the older Rafter children face new challenges and Grandad Ted struggles to find his place. As Dave enjoys his new-found freedom, Julie must reconcile her responsibilities to the family.
2

0
Drug lord Alonso Marroquín escapes from a Mexican prison in an attempt to go into hiding. A US military secret experiment goes wrong and the elite unit from the Mexican Police that is after Marroquín gets infected, creating a new zombie species. The Army and the zombies end up at the drug lord’s hideout and a battle for human survival begins.
-3
A novelist who is facing writer's block, meets a budding writer. Desperate, he decides to use her story for his next novel. At the same time, a film assistant is planning something vicious to destroy him and his close ones.
-3
COIN chronicles the rise of a visionary founder in crypto who harnesses the power of this emerging technology to promote a mission of global economic freedom.
2
A young Japanese-American man crosses the line with the underworld element in Tokyo, while dealing with his own personal struggle of being an outsider trying to fit in with Japanese society.
-2
A psychological thriller surrounding the real murders of Manfred and Marísia von Richthofen orchestrated by their own daughter, Suzane, along with her boyfriend and brother-in-law, the Cravinhos brothers.
-1
A couple breaks up but is forced to live in the same apartment together for financial reasons.
-1
When a cash-strapped rancher takes an offer to help a movie star poach elk it seems like easy money, until a fatal run-in with the local authorities triggers a series of events that pits man against man in a bloody showdown.
-2
A father finds out that his teenager daughter is possessed, and the only way he can save her is by doing the ghost's bidding, which will mean an encounter with his long-separated twin - who happens to be a psycho killer.
-1
Grzegorz, diagnosed as an autistic child, lives in his hermetic world, unable to establish contact with others. When he turns fourteen, it turns out that the cause of isolation is not autism, but hearing loss, which hides great musical talent. Thanks to the auditory implant, Grzegorz begins to learn sounds, words and music with which he falls in love. He wants to become a pianist and perform at the philharmonic hall. Nobody but himself and his closest family believes that a deaf boy - although supported by modern technology - will make his dream come true.
0
A young punk and a houseful of drunks square off against the gang of militant straight edgers that he's abandoned.
-2
The astonishing story of the unprecedented relationship between acclaimed author and journalist Jillian Lauren and the most prolific serial killer in American history, Sam Little.
2
Seeking refuge on an island in Upstate New York, a married couple's final attempt to salvage their failing relationship takes a turn for the worse when the husband begins to regress emotionally, mentally, and physically.
-3
A horror anthology of seven intertwined tales that follows the paths of several serial killers on their nights of terror and destruction through Los Angeles.
-3
Reality series follows a young group of lesbian friends in Tampa Bay.
0
Animated series centering on four middle school friends on their quest for fame on L.A.'s Fairfax Avenue.
1
After being objectified by her husband, Leah Shaffer abandons her marriage and falls in to a destined kinship with a small cult bent on ending misogynistic culture and transcending to a place beyond the stars.
-2
Ava uncovers the whereabouts of her missing father to an unchartered Island; a mythical lost world uncovered before them by her grandfather. Joined by a group of adventurers and scientists, they arrive at Jurassic Island where it becomes clear that the previous team had run into disaster. Dinosaurs and toxic leeches mean it’s no longer a search for her father, but a battle for survival.
-2
The story of three lifelong friends who overcame domestic violence, substance abuse and depression to form Life of Agony, one of the most influential bands in its genre, led by the very first openly transgender singer. Through the success of their groundbreaking 1993 debut "River Runs Red", hailed by Rolling Stone as "One of the Greatest Metal Albums of All Time", they channeled their cumulative life stories into a soundtrack for a broken generation. This new found fame allowed them to suppress the tragedies of their past, but in its wake new obstacles arose.
0
Live from Tribeca, Bill Bellamy delivers an incredible hour of standup comedy. "I Want My Life Back" delves into the complexities of life in this new day of quarantines, mandates, and the new normal. He makes us appreciate the simple things.
2
This is the true story of Freddy and Walter – two young Slovak Jews, who were deported to Auschwitz in 1942. On 10 April 1944, after meticulous planning, they manage to escape. While the inmates they had left behind courageously stand their ground against the Nazi officers, the two men are driven on by the hope that their evidence could save lives.
2
Siri hires an unsuccessful actor to play her missing brother in front of her parents to bring the family back together. Black magic also plays a role.
0
The victims of the Hunt, kidnapped by a sadistic organization that arranges torture games in an abandoned military base, face unspeakable horrors at the hands of their abductors as they fight for survival.
-1
A man, whose girlfriend was murdered some years before, takes his revenge during the course of a single night. He has one night, that's the time limit he gave to himself. Now he is ready to enter a spiral world of shocking violence, that leaves no room for words. A man, his woman, three criminals and the distorted sounds of a city are the only reference.
-4
A three-part anthology film exploring juju (magical) stories rooted in Nigerian folklore and urban legend, written and directed by the Nigerian new wave cinema collective known as Surreal16.
1
Lally is madly in love with his school mate Heer. Things take an interesting turn when Heer and Lally are separated from each other.
1
10 number one hits. More than 2 billion streams. Yet rap superstar Apache 207 is a mystery. Now he breaks his silence and grants access to camera crews. This compelling documentary shows his life, from plattenbau to luxury mansions, from loneliness to sold-out stadiums - accompanied by his family, best friends and rap icons Loredana, BAUSA and XATAR.
-1
Shortly after discovering the dead body of her roommate, a young woman becomes embroiled in supernatural shenanigans.
-2
A girl has the ability to see in color in a dystopian world where people can only see in black and white.
0
A grieving man relocates his two teen daughters to a charming town and into their dream home. Quickly the dream becomes an inescapable nightmare.
-2
WWII hero with the 4th Emergency Rescue Squadron, Lt. Royal Stratton, leads a deadly mission to save the lives of nine downed airmen adrift in enemy waters of a war-torn South Pacific. Immersive cinematography and gripping action, mixed with firsthand accounts and historical images, showcase the valor of this squadron who faced overwhelming odds to bring their brothers home.
-1
A man loses his memory and wakes up in a new body every 12 hours, each time forced to discover who he is anew. This condition begins when he wakes up in the middle of a car crash, in the body of someone he doesn't recognize, without any knowledge of who he is. He begins to realize that his spirit is stuck to a different body and moves every 12 hours. In his desperate search to find himself, he comes across a woman who claims to recognize him. As he bores deeper into the mystery, he comes across a secretive organization that appears to be chasing him. Before it’s too late, he must find a way back into his own body.
-7
A couple married for more than 6 years loses hope for a child. On insistence of his wife he marries her sister. Shortly small squabbles between the two wives lead to comic situation and fun begins.
0
His name is synonymous with treason, but this cinematic documentary shows that Benedict Arnold's heroic contributions to American Independence far outweigh his later change of allegiance.
1
A comedy show where ten professional comedians face off for six hours in a row to keep a straight face, while they try to make their opponents laugh.
-1
When Harper's Bazaar chooses Brookfield to be featured for its "Country Christmas" magazine piece, the residents all band together to make the town into a Christmas wonderland. Meanwhile, old flames are fanned, new romances are sparked, and some unexpected visitors show up just in time for the holidays.
-1
Devised, written, choreographed, performed and funded by Alan Partridge, Stratagem sees Alan not just treading the boards but pounding them, atop stages graced by such luminaries as Michael Ball, Jack Whitehall and Welsh rockers the Stereophonics.
0
Set in the late 90s, Rustic Oracle is a dramatic feature about Ivy, an 8-year-old girl trying to understand what happened to her big sister who has vanished from their small Mohawk community. With minimal clues, Ivy and her mother Susan embark on an unwelcome journey to find Heather which will ultimately bring the pair closer together despite challenging circumstances. Behind the story of desperation, told through the eyes of a child, lies one of hope, growth, awakening and love.
-3
Frederick Fitzell is living his best life—until he starts having horrific visions of Cindy, a girl who vanished in high school. After reaching out to old friends with whom he used to take a mystery drug called Mercury, Fredrick realizes the only way to stop the visions lies deep within his own memories, so he embarks on a terrifying mental odyssey to learn the truth.
-2
When a New York lawyer returns to his Boston hometown to reunite his dying friend with his young son, he is forced to finally confront a childhood trauma.
-3
A single woman who decides to take a chance on love again by catapulting her life from Paris to Los Angeles. From awkward dates to touching surprise encounters, she understands the journey to love is a journey towards herself.
1
Without a trace, Susie Potter vanished from her home in the quiet town of Skidmore, Missouri. Ten years later two reporters uncover a harrowing new detail, which leads them on an obsessive hunt for the truth through the dark labyrinth of rural northwest Missouri.
0
In October, four filmmakers disappeared in a haunted house while live streaming on social media. A year later, their footage was found.
0
The story revolves around two best friends, Mieko and Makio, who end up working a part-time job at the same place. At their new job, they meet a university student, Eiji, who ends up falling for Makio. Despite everyone around them being against the relationship, Mieko decides to watch over them as they grow, and their bonds and relationships gradually change.
0
Follow iconic AFL identities from six Australian Football League  teams throughout one of the most challenging seasons in AFL history as they journey towards the 2020 Grand Final.
0
In a Brooklyn threatened by disfigurement from greedy urban developers, two young people meet in a late-night bodega. Their unexpected bond takes on a romantic tone and brings solace to these two superheroes who are powerless in the face of oppression.
-2
A sensational crime story is at the centre of three disconnected narratives: a self-destructive driver, a violent family of three, and the relationship between a quiet warehouse worker and her boss.
-1
New friends Erin and Alex discover a mutual attraction that neither of them have ever felt before. While Alex tries to navigate her feelings, Erin refuses to acknowledge that she might be gay and heads down a path of self-destruction. Faced with Erin's denial, Alex must decide whether to follow her own path, or fight for the first person she's ever loved.
0
After years of fighting to survive on the streets of Lagos, two brothers fall on opposite sides of the law. The bonds of brotherhood are put to the ultimate test as one joins a Taskforce that hunts down the other and his gang.
-1
It's 1906. Under the dark sky of an Apocalypse, a young couple's nightly rituals are disrupted by a mysterious woman burying her husband by the stream.
-3
36 Husbands is a mystical, musical, Kung Fu spy comedy starring 3 powerful women - and a bunch of husbands. Krista, top spy and Kung Fu master, has extraordinary powers and she puts them in action on her quest to slow down the steady march towards World War III. Together with her Kung Fu disciples, Gina and Nola, (and Frankie, a spy on-loan from MI6) they fight and love their way across the world leaving a trail of broken hearts and sabotaged plans. All the spies and evil-doers are tuning into the Bright Blue Gorilla TV show. Why do they watch? Is it the music, is it the comedy? Maybe you can figure it out.
5
When hikers trespass onto private land, an altercation with the landowner descends into violence.
-1
An alcoholic professor is sent to a juvenile school, where he clashes with a gangster, who uses the children of the school for criminal activities.
-3
When two genetically created dinosaurs end up on the loose, it's up to a team of rag tag mercenaries to capture them. When the realize that the dinosaurs are bred as smart as humans, the game of cat and mouse turns for the worst.
-1
Four years later Chike has barely come to terms with her life as Agent, when she is forced to risk everything she holds dear once again to go after a criminal, Usi Who kidnaps Grace’s daughter in order to blackmail Chike into doing her bidding. Chike and Grace must reunite and build a new team to take down Usi and save Grace’s daughter. But it’s the Set Up and as you would expect things aren’t always what they seem.
0
The story of a desperate young couple on the run, who seek refuge in Kansas City.
-1
A legendary musician's life and family are turned upside down when a scandal is revealed on the eve of his 60th birthday.
0
The club from their victory in the 2020 Champions League final to the end of the 2020/21 season, as well as delving into the history of the team.
3
When best friends Beautiful Bill and Andy struggle to fit into regular society, Bill decides they need romantic love. This kicks off a years-long series of misadventures that challenge not only their friendship, but their grasp on sanity.
3
A non-confrontational Jayesh decides to defy his patriarchal family and flee with his pregnant wife Mudra to save their unborn daughter from foeticide. A screwball, hilarious chase begins as Jayesh's father assembles all his might to nab them. Will this unlikely hero manage to create a safe and equal haven for his daughter?
0
When Sarpatta Parambarai is challenged to a do-or-die match, Kabilan, a young labourer, must choose whether to put on the gloves himself and lead his clan to victory, or be dissuaded by his disapproving mother and dangerous politics.
0
When an adopted brother and his younger sister are kidnapped, they must escape before the kidnappers and their twisted relationships implode.
-2
Rachel Bradley is a ground-breaking comedian. Her biting social commentaries are edgy and intriguing, and her stories of growing up Southern among a cast of authentically eccentric Southern friends and family are pure gems of comedy.
1
After the quarantine is lifted the world is getting back to business but for some that reality is too much. From rent to relationships, its all at stake in this hilarious movie that follows three men as they navigate the "new normal".
1
An ancient ring which renders power over whomever wears it has come back and wreaks havoc on a small town. Fortunately, the original possessor's descendant recognizes the power and helps a vacationing couple devise a plan to get the ring back to its rightful place.
0
A shark bite spreads a virus across the globe, turning the world upside down. Deep below the ocean, a group of researchers race against time to find a cure. Something has infected the lab technicians and it’s a race against time to reach the surface with an antidote before they are all killed by themselves and the sharks lurking inside the test pool and outside in the ocean.
-5
A lovable, rooted, desi and punjabi young single father of a 7-year-old boy attempts to find love again.
2
With searing insight that shines light in dark corners, EATING OUR WAY TO EXTINCTION is a compelling feature documentary that opens the lid on the elephant in the room no one wants to talk about. Confronting and entertaining, this documentary allows audiences to question their everyday choices, industry leaders and governments. Featuring a wealth of world-renowned contributors including Sir Richard Branson and Tony Robbins, it has a message of hope that will empower audiences.
2
Clare and Anna are devoted sisters who live together. Clare suffers from fits and Anna cares for Clare between time at work and seeing her boyfriend. However when Clare begins to see ghostly visions within the house Anna has difficulty believing her. As the visions worsen they test Clare's sanity, until one night she mistakenly attacks Anna - believing her to be one of the ghosts. Clare is hospitalised but the visions continue to haunt her. But Clare was never the true target, the spectres were after Anna and her unborn child all along. Now Clare must find out how to protect her sister, while locked up in a secure psychiatric facility.
-3
Set against the backdrop of the terror attacks of November 26, 2008, "Mumbai Diaries 26/11" plays out in a hospital and depicts the untold story of doctors, nurses, paramedics, and hospital staff, who worked tirelessly to save lives during the attacks that ravaged the city.
-2
Since childhood, Zulkarnaen has been obsessed with heroes who are always told by his father, Mr. Ibrahim. Aisyah is the only person who always supports Zul to become a knight to defend their village. One day Zul meets a mysterious girl named Kiara, who amazes Zul. But after Zul failed to save his father, Zul was discouraged. Can Zul as Ashap Man be a hero? And who will Zul, Aisyah or Kiara choose?
2
TikTok: it's the social media app which has come to define our perception of Gen Z, and which has firmly embedded itself within the covid-era zeitgeist. A phenomenally popular platform, more than a billion users scroll through its endless feeds, and it's turned ordinary people into overnight internet stars.
2
Amazon Music, Warner Records and Biffy Clyro present ‘Biffy Clyro: Cultural Sons of Scotland’, an intimate documentary film showing the back-to-basics recording process they adopted to create their ninth studio album, ‘The Myth of the Happily Ever After’.
1
Ayar, a first-generation American Latina, returns home to reunite with her daughter. But when her mother, Renata, refuses to let her see her due to Covid, Ayar is confronted by the many roles she’s been forced to play, including the role in this film.
-1
Called to mourn the passing of their beloved detective grandfathers, Nic O’Connell and Ping Liu soon discover that their deaths were calculated murders. Despite their mutual animosity, the granddaughters enter an uneasy partnership to solve the case.
-4
Before her lights go out Roxy Starr and her manager get the band together for one more show.
0
Colombian reggaeton singer J Balvin prepares for his 2019 homecoming concert amid intense political turmoil.
-2
A journalist wakes up from a coma having lost ten years of her memory. Texas Rangers and a murderous gang of masked psychopaths, led by the criminal HYDE, hound her every step as she struggles to piece together who or what she has become.
-3
A desperate woman embarks on a journey to find a life-saving bullet, seeking to reverse the tragic death of her daughter, but the only way to do that is through the man who revived her murderer.
-4
Enter the experience of Dawn FM as The Weeknd performs his latest album live in a theatrically unsettled and unnerving world.
-1
Documentary series following Nabilla as she discusses her successes, struggles and obstacles she has gone through as well as the decisive moments in her life. She reveals how she became a successful entrepreneur as well as one of the most followed French influencers with 6.6 million followers, while managing her family life.
3
Long Live Chainsaw from Red Bull Media House and Anthill Films, reveals the true story of the meteoric rise, untimely death and long-lasting legacy of Canadian downhill mountain bike legend, Stevie Smith. From humble beginnings being raised by a devoted single mom, Stevie's unwavering belief not only propelled him to become the best in the world but inspired everyone he touched to believe in their own impossible dreams. A look behind the curtain of downhill World Cup racing, Long Live Chainsaw portrays an underdog overcoming the odds to win the 2013 Overall title. Known as the "F1 of cycling", downhill had long been dominated by Europeans before 'The Canadian Chainsaw' became the unlikeliest of heroes.
0
Summer camp meets Spinal Tap as we journey to Rock 'n' Roll Fantasy Camp, where dreamers from across America and around the world gather to shred with their heroes - and learn to rock like the legends. Rock Camp is an institution and cultural phenomenon that has been going on in Los Angeles, New York and other cities since 1996. The brainchild of music producer David Fishof, Rock Camp boasts a jaw-dropping array of rock star "counselors" that include Roger Daltrey, Alice Cooper, Paul Stanley and Gene Simmons, Nancy Wilson, Joe Perry, Jeff Beck, Slash and countless other rock legends. The counselors teach, inspire and jam with the campers over the course of four days. Each Rock Camp concludes with all of the counselors and their respective campers, performing together.
3
Qin Lie, a young man with amnesia, was involved in a conspiracy due to an accident. After experiencing all kinds of hardships, he and Ling Yushi, his childhood sweetheart, gradually grew up in the spirit domain. The story of the new journey. This group of passionate teenagers, in the search for the truth of their life experience and the pursuit of a higher power, continue to meet new mentors and friends and jointly guard the spiritual domain.
0
A study on modern relationships as it is a love letter to the deliciously diverse city of Hyderabad.
2
Alisha Khanna, 30, ambitious, now finds herself at crossroads in life. Her six year long relationship has grown monotonous, her career seems to be going nowhere. But just when she had begun to accept this reality as unchangeable, her life is usurped by the arrival of her cousin, Tia and her fiancé, Zain, with whom she bonds over a troubled past and a common wish to break from its confines.
-2
Award-winning actor and stand-up comedian Steven Michael Quezada as he reveals his hilariously painful realities of married life
-1
It’s been over thirty years since rave culture rose to prominence in the UK, launching a new youth movement that genuinely shaped a generation. With Britain’s youth facing similar socio-political challenges to those that provided a dark backdrop to rave’s early years, Amazon Music explores UK rave’s story to date, and where it might be going next.  ‘Better Days’ documents over 30 years of UK rave culture; from the first wave of illegal free parties to lockdown gatherings during the global pandemic and everything in between. Featuring interviews with Prospa, Sherelle, Orbital, Dance System, TSHA, and more.  The documentary also features an original Score by Overmono, and two Amazon Original remixes:  Dance System Feat. Rush Davis – ‘Better Days’ (Amazon Original)  Listen on Amazon Music: https://music.amazon.com/albums/B0949...  Orbital – ‘Chime Re-Record’ (Special Request Remix) [Amazon Original]
3
Drowning in debt, child support and bills all while white knuckling it through sobriety, Francis is coming undone. When his roommate, Shelly, goes missing, Francis is thrown headlong into her private world; a slip stream of money, violence and terrifying allegiances. As secrets are exposed and tensions mount, a search for Shelly devolves into striving for meaning in the face of oblivion.
-2
Tells the extraordinary life of Chiara Ferragni and Fedez. An authentic tale that unveils the behind the scenes of one of the most followed couples ever and the most intimate moments of a young family that passionately fights for their dreams to come true.
4
A team of mercenaries plot to steal 14 billion dollars of laundered money. After being double-crossed, they find refuge in the middle of nowhere with a mysterious family carrying an unsettling secret. They discover that the man of the house is a creature of the dark and they must fight to survive the night.
-5
On the verge of a nervous breakdown, Maxwell meets a talking sloth in his dreams and becomes obsessed with saving the animal's habitat in his waking life by returning to his first passion of music.
-2
Sebastian, a sharp and clever teenager is once again expelled from school, just when his mother Luisa, a reputed psychologist, is about to take a very important step in her career. As a ticking time bomb that just explode, Sebastián runs away from home thinking that his father, whom he hasn't seen in years, will grant him the solutions to all his problems.
0
A family is on holiday in 1991 when their teenage daughter decides to elope with her boyfriend. Their parents travel forward in time to 2022 and see how much Spain has changed in three decades.
0
September 11th 2001, the day America was under siege. Thrust into defense against the deadliest disaster ever faced. The four coordinated attacks by nineteen individuals, driven by religious extremism, claimed the lives of thousands that day, exposing flaws in the defence of the mightiest nation on the globe. The chaos in the skies sent radio communications into meltdown. Follow the key aspects of the nation's response as the gravity of the situation unfolds before your very eyes. Through official FAA, Airline, Military and NYC Fire Department recordings, as well as archival footage and reenactments, retrace the critical moments that forced American society to change forever. This documentary will expose the frenzied communication that took place over the airwaves as flight attendants, aviation authorities and the president grappled with a nightmare. Join us as we observe and reflect on the darkest day in American history as we recount those moments minute by minute.
-9
Young, intense, and authentic, Dani just wants a normal life. However, since she was a child, she has been misaligned with her world.
-1
A past ridden with crime, death and pain is recounted to Freddy, a juvenile criminal, who has been assigned to eliminate his estranged uncle Sulaiman, an aging patriarch, while behind bars.
-5
The Big Steppers Tour is the fifth concert tour by Kendrick Lamar, in support of his album, Mr. Morale & the Big Steppers. Baby Keem and Tanna Leone serve as the opening acts.
1
The story takes place in a hilly village on the Kerala-Tamil Nadu border. The story is about a strict police officer who relocates there and the subsequent events that turn his and many other's lives upside down associated with that police station. Few normal incidents happen in the village, and some from the past suddenly appear to be abnormal. The secrets slowly start unfolding.
-3
Sydney, in the 50s. Rosaleen Norton is a painter specialised in occult themes, infernal sabbatical visions exuding wanton sexuality. In conservative Australia, the Witch of King's Cross was soon accused of obscenity, and of taking part in satanic rituals, orgies and whatnot...
-4
During the 1973 occupation at Wounded Knee, two activists, Marvin and Bud "One Bull", are arrested and thrown in jail. Filled with righteous indignation, Bud fights with his captors while Marvin, is mourning his wife, Anna Ward, who died in a car accident months earlier. Claire Chapman, a young lawyer assigned to defend Bud and Marvin, investigates. The three of them will discover their case is part of a massive conspiracy involving the federal government and big business. Meanwhile, in jail, an advisor from the Nixon Administration, a sitting Senator, and even a famous Hollywood actor visit Marvin and Bud. What secret was Anna Ward hiding before she died? What do the activists know?
-2
Abhiram aka Abhi is a successful entrepreneur who calls himself ‘self-made’ and doesn’t believe anyone but himself is the reason for his success. But when he’s forced to look back on life, what does he realise?
2
Kuruthi is about how enduring human relations that transcends boundaries struggle to survive trials of hatred and prejudice.
-3
When Ardra suddenly starts acting distant and cold with her family members, her husband Roy and others around her are puzzled and scared. Nobody in the family bothers to take her to a doctor and when they finally do, they learn the truth.
-4
Kat and Borja appear to be a perfect couple, but as in every marriage they keep secrets, lies and infidelities that will come to light the night an unexpected visitor arrives.
-1
When two beautiful college girls move across the street from Derek and Chad, sinister things begin to happen.
0
When the murder of a migrant worker shakes a southwest border town to its core, the feud between a newspaper owner and the chief of police leads to the blurring of the truth and a dirty fight for justice.
-3
An urban legend haunts a small town as a troubled young woman seeks to find her missing child. A relentless detective pieces together clues that lead them both to a suspected killer. As the mystery unfolds so does the frightening realization that the urban legend is real.
-5
A rumor about Pallavi Patel, a quintessential, middle aged, devoted housewife who is famous for her dance and cooking, threatens to disrupt her middle-class family's ethos, on the eve of her son Tejas' engagement with a rich, NRI girl.
0

0
Kim McVicar jokes about her sex life, her husband, the death of her brother, her mother's funeral, all spiked up with some choreographed dance moves, funny songs, and even some tap dancing.
-3
On September 19, 2017, at 1:14 p.m., an earthquake devastated Mexico City and its environs. Immediately, citizens mobilized to help, including the actor and youtuber Juanpa Zurita who quickly organized a group of friends that included singers, actors, content creators and other celebrities from the world of entertainment who helped him raise funds for the reconstruction of the city.
0
A dramatization of Christiane F.'s memoirs and her hard beginnings in Berlin.
-1
Seeking redemption, a middle aged man drives cross the country in search of the daughter he abandoned as a child.
1
Argentina National Football Team is getting ready for the World Cup and opens the door to behind-the-scenes. The qualifiers, the Copa América, the Finalissima and match preparation for Qatar as never seen before.
1
A young mother's "American Dream" turns into a living nightmare, until she finds the inner strength to listen to a voice she hadn't heard before: her own.
-1
An ex-marine with PTSD storms into a gallery, taking hostages and forcing them to confront their complex past and looming mortality, as time ticks by.
-3
Joji, an engineering dropout and the youngest son of a rich family lives with his aspirations of becoming super wealthy. Driven by greed and blind ambition, he decides to execute his plans following an unexpected event in the family.
0
Fable becomes reality when Jason returns to his father's Homeland of the Philippines after his passing and investigates the stories he grew up hearing. Jason wants to honor his father's home. Once he arrives he finds himself living the myths his father told him as a child. The mysterious Magayon, known as the Woman in the Woods, asks Jason to aid her on her quest to return to her home on a volcanic island in the Philippines. This is the start of a mythical adventure that will change Jason's life.
-1
On their fifth wedding anniversary, Sitio and Ana start arguing inside an elevator that keeps opening in their same floor. Emotionally and physically trapped, the two will have to work together to find a way out.
0
A generational curse, comes true in a senseless act of injustice to Ponni and her family. Driven to seek vengeance by Sangaiya, with whom she shares a bitter past.
-5
Narappa is forced to flee into the forest with his younger son, Sinappa, after Sinappa murders an upper caste landlord to avenge his older brother’s death. And now Narappa must make more sacrifices and navigate a deeply unjust justice system to give his son a chance at future.
-5
Desperate to get her life back to normal after a surprisingly uncommon medical diagnosis, Ashley Jones is forced to examine what "normalcy" really means in a world of mistaken identities, very old, old friends, and poisoned meatballs.
-2
Rianne Angers has spent the last nine years obsessing over the vicious murder of Gwen Anderson. And it is understandable: Her brother Nick went to prison for the crime. Now that Nick is back, he needs her help to find who really killed Gwen. About to finish school and take the next step in her relationship, Rianne realizes she has too much to lose with her older brother pulling her back into the past.
-6
Kesh, an accomplished young scientist, comes down to his hometown to execute his dad's dream AI project, Jack N Jill. Will he be able to implement it successfully?
2
Tokita Shingo is a detective who gives up on a successful detective career. He teams up with up with rookie detective Shiina Asobu. They work on an undercover investigation into a drug case and soon find themselves in an unexpected situation.
1
The climate change has released an ancient rabies virus trapped in the Antarctica ice. A female scientist tries to get to the laboratory to create a cure to save the world, protected by an eccentric and two members of the special forces.
-2
Marcus, an artist who's lost his zeal for life, rents out his spare room to a young woman he begins to suspect is a comic book villain.
-1
A crew on a mission to rescue a marooned base on a desert planet turns deadly when the crew finds themselves hunted and attacked by the planet’s apex predators: giant sand worms.
-2
Karnan, an angry young man, fights for the rights of his oppressed people. Can he save them from those who wield power and weapons?
0
Victoria is addicted to the internet and work, and has bad relationships with her teenage kids, who live with their dad. Her life changes when her kids visit for a few days and a solar storm causes a global internet blackout.
-1
Follows one of the most famous families in Brazilian music during the creation of an unprecedented concert, which will bring together all generations of the Gils on stage for the first time.
1
All is perfect for Donovan Strathmore, lifecoach to the rich and famous, until a mysterious figure emerges, threatening to reveal a hidden past. As he searches for clues, his life begins to unravel, culminating in an onslaught of public humiliation. Donovan is forced to reconcile secrets long buried, and confront the one person he's spent his life running from.
-2
An unsuspecting family buys a mansion for a bargain but discovers a presence in the home and must fight to save their lives.
0
Shelia, an environmentalist venturing into the deep sea to capitalize on the billion-dollar plastic industry encounters deadly enhanced sharks. She wants revenge… it wants blood.
-1
Manipulated is a taut drama/mystery/whodunnit with an ensemble cast. District Attorney Diane Conrad is under extreme pressure to resolve a case that has politicians and the local community on edge. The clock is ticking and the stakes and emotions are running high. Can anyone trust what they see or hear? Why is Detective Scott Keating taking the biggest gamble of his career? With evidence in short supply, and the personal and professional lives of all concerned unraveling, can you believe anything anyone says? Game on.
-1
A reporter must choose between helping expose the truth or accepting the world is ruled by a global network of ruthless insiders determined to wield power over all of mankind in a coming Dark State.
-1
After a young woman is forced to take part in a strange ritual, her body begins to change.
-1
Renzo Collazos has been a recognized journalist for the political section of the newspaper El Comercio for a year. One morning, the website editor asks him to manage a blog dedicated to youth and write weekly about his pale social-sentimental-sexual life. Collazos accepts, convinced that he has nothing important to tell: he has no partner; he still lives with his mother; in his spare time he reads, writes poetry, masturbates, and is fed up with the fact that his closest friends have married (because he also wanted to marry). Unexpectedly, the Wanted Girlfriend blog becomes a success as Renzo writes about his cynical love dilemmas, from the marriage of his ex-girlfriend to the failed night raids on Friday and Saturday, and he gains popularity. That fame makes him a more selfish, more vain, more stupid guy who ends up sabotaging his relationships. He finds a girlfriend, but she decides to end things and his world falls apart again. Realizing what he has become, he decides to change.
-3
Jagteshwar, a librarian, has an obsessive-compulsive personality disorder which people around him have accepted. Ideologies clash when Amberdeep, a high-spirited girl and Jagteshwar share a roof.
-1
A desperate woman tries to make sense of the supernatural occurrences bringing chaos to her young family. Things take a turn when the midwife pays a visit.
-2
Kiwi comic Rhys Darby brings silly wonder to the stage in his latest stand-up show. His unique brand of physical comedy combines obscure observations and sound effects as he takes you on a fantastical journey into the world of mysticism, past lives...and birds.
-1
An intimate look at the reggaeton superstar, Natti Natasha, as she opens up about family, relationships, and what it takes to stay on top of the explosive Latinx music scene, all while navigating new friendships and a new city.
1
Personal and professional life of Pau Gasol 
0
Chandraprakash, a well-known TV news anchor, comes under undue pressure from his higher-ups to bring competitive exclusives, which urges him to leave the job. When a rival media group offers him a new job, he rebrands himself into a loud, tyrannical journalist, catering to those looking for news theatrics.
-2
A frustrated college student and his friends get involved in a murder-for-hire scheme involving his ex-girlfriend.
-1
Join comedian and actress Cocoa Brown on the hilarious rollercoaster ride of dating and parenting during the pandemic. She delivers the 4-1-1 on dating double standards, the fun and fails of dating younger men and surviving four walls and an eight-year-old while in quarantine as only she can in her highly anticipated comedy special.
0
A small town video game store clerk must go from zero to hero after accidentally unleashing the forces of evil from a cursed Colecovision game.
-1
A brother and sister's journey into the jungle to find their missing father.
0
Carlo Verdone plays himself by portraying the drama and the comedy of his private life and his relationship with a loving and oppressive mother: Rome.
0
The bodies of beach goers begin washing ashore during the grand opening of a new resort with dire results.
0
A group of college students spend a night at an old, eerie manor, only to realize that a terrifying stalker is watching their every move as he begins plans to repossess an ancient Native American artifact located inside.
0
Philip "HAWK" Hawkins doesn't just dream about killing vampires - He eats, sleeps, drinks and freakin' breaths it. After getting kicked out the Army for staking a fellow soldier with a blunt two by four, Hawk almost dies of boredom working as a night security guard in his hometown of Santa Muerte, California - USA. Just when it looks like all Hawk's options in life have expired, filthy blood-sucking vampires appear and of course - Nobody freakin' believes him. With his back up against the wall, his sweaty Karate Kid headband on and hordes of murderous vampires closing in, Hawk enlists the help of the one person who kind of believes him - Revson "REV" McCabe, a dimwitted, vegan-pacifist groundskeeper. Together they join forces to save the whole entire freakin' world. Well, at least their hometown anyway. (feature - horror/comedy)
-6
Based on a true story, Bob Zellner, grandson of a Klansman, comes of age in the Deep South and eventually joins the Civil Rights Movement.
1
A worldwide pandemic has struck causing small businesses of all natures to struggle keeping their open signs, up and lit. That is until the government created a loan for these businesses that is totally forgivable with requirements.
-2
Daryn Miller is a cry-baby wimp, who still carries his baby fat. He isn’t a cunning businessman like his granddad, who opened a fitness club in a Johannesburg suburb 60 years ago. And, he’s definitely not a winner like his father who – as a successful bodybuilder – helped the business flourish. Under Daryn’s management, debts rise and membership decreases. On top of that, he finds a hostile competitor in Stars Fitness, a chain run by a dyed-in-the-wool career woman, who prefers to destroy her competitors instead of out-compete them.
4
Diego Pablo Simeone has created a unique way of understanding soccer. The cholismo is so much more than a game strategy. It is a range of values, tools, and hard work that our protagonist has picked up when facing difficulties during his career. We will spend a unique season by Cholo’s side, discovering the secret behind the success that is writing the story of his legacy.
0
The Frankenstein Complex takes a historical as well as a creative perspective, with a mix of fascinating scenes behind the camera, film clips, and dozens of interviews with all the big names in the industry. In addition to the many wonderful anecdotes, the film also offers a wealth of beautiful test material, while along the way showing how the art of filmmaking has changed over the years. An affectionate ode to monster makers throughout history.
4
Three women who have been friends since childhood are enjoying their monthly dinner party when one announces to the other two, "Together we make up the perfect woman -- you're the brains, you're the personality, and I'M the beauty!" The others are devastated. How could she say such a thing? Six months later the three are each facing defining moments in their lives. One is struggling to be more than simply "the beauty" and failing miserably. Another faces a career change and extracurricular explorations. And the third faces a complete change in lifestyle as she prepares to have a baby -- alone. Trials ensue, but ultimately the three women are able to define themselves and their friendship beyond a one-dimensional view of beauty, brains, and personality. The three realize that though they may be just fine on their own, they are stronger, braver, and happier together.
4
Anikkuttan is an ill-tempered electronics technician who leads a quiet life with his mother. His daily routines are disrupted when his next door neighbour's new born baby stirs up undesirable memories from his past. What will happen next?
0
Young cheerleader Ashley is adopted by her parent’s killers. Years later, during a home robbery, her crazed family reveal what they are really capable of and Ashley must decide who’s side she is on.
0
Maple Leafs' on-ice action and behind-the-scenes access with players, coaches and fans.
0
A couple who are about to give up on their dream of having children find a doula who promises a magical solution to their infertility problems, but when she moves in for a series of strange, taxing rituals, overseen by a charming - but dangerous - doctor, they find out that the magic is extremely risky and that the baby they're about to have might not be quite human.
-1
Elena is kidnapped at seven years old and taken to Hell. Twenty-five years later she returns home and is reunited with Facundo, his older brother. He includes her in his life, but Elena brings to her family the terror of the past she lived. Based on a nightmare, Kill the Dragon is a dramatic and fantastic horror story about a family living on the edge of Paradise and Hell.
-3
The life of American woman Mildred Gillars and her lawyer, who struggles to redeem her reputation. Dubbed “Axis Sally” for broadcasting Nazi propaganda to American troops during World War II, Mildred’s story exposes the dark underbelly of the Third Reich's hate-filled propaganda machine, her eventual capture in Berlin, and subsequent trial for treason against the United States after the war.
-3
A group of urbex enthusiasts travel to the backwoods of Appalachia to capture footage of abandoned houses, when they unwittingly become the subjects of a much darker video - made by a different kind of "enthusiast".
0
A smart yet naive college girl organizes a birthday celebration at her stepfather's cabin, bringing together a volatile group of friends and family. While playing a mysterious party game, nightmares blend with reality and the friends struggle to survive as the living game attacks and turns them against each other.
-4
A story that follows an aerospace engineer Yu Tu and the shining star Qiao Jing Jing.  Qiao Jingjing and Yu Tu were high school classmates. Qiao Jingjing confessed to Yu Tu twice, but was rejected both times. Ten years later, Qiao Jingjing becomes a top celebrity. She wants to become the endorser of a video game, but was exposed that her gaming skills are super bad. By chance, she meets Yu Tu, who is now an aerospace engineer and currently feeling lost about his career. Under Qiao Jingjing's set-up, Yu Tu becomes her gaming coach. They slowly fall in love over time.

~~ Adapted from the web novel "You’re My Glory" (你是我的荣耀) by Gu Man (顾漫).
-1
The enigmatic Isabel decides to rent her belly to give birth to the baby of Sara and Joaquin, a possessive couple obsessed with the idea of starting a family.
0
The story of clumsy, cynical, imaginative and tormented teenage girl named Stella.
-2
When tomboy taxi-driver Ra'ida's rebellious younger brother Marid goes missing, she turns to her powerful family for help. She is determined to find out who killed her brother and ensure justice, above all, prevails.
-1
While on vacation in rural Wisconsin, five friends seek refuge in a lone building after their vehicle crashes in a vicious snowstorm. With no cell service, the group splits up to find help but when they reunite, one of them is found dead.
-5
Sathya, a philanthropist who now runs an orphanage, has to go to Poland for the treatment of young Janu. While there, an international criminal named Ghost carries out heists. Who is Ghost? And what has Sathya got to do with it all?
-1
Down Bad follows three childhood friends with their own trials and tribulations as they navigate life in small town America.
-1
A man's family leaves him when he strays from the path of ideological living in his search for personal freedom. However, as he realizes his ambitions, he also misses the presence of his son in his life. Having fulfilled his dream of becoming a billionaire, does life give him a second chance to be a father?
0
Two beautiful sisters vie for the affections of a man who may or may not be a vampire.
2
Based on a true incident, the film is about four men, who call themselves Ayyankali Pada, holding the Palakkad collector hostage demanding tribal land rights.
0
You Yi is a young, innocent, and kind-hearted socialite and a successful author, living with everyone's adoration and envy. Her perfect life is turned upside-down when she discovers a betrayal by the two most trusted people in her life. With no one left to turn to, she finds refuge in the friendship and support of Yan Wei, a young photographer with a cold personality. Unbeknownst to all, Yan Wei has a deadly secret identity.
2
Through years of never-before-seen footage, director Karam Gill follows Lil Baby’s transformational journey from local Atlanta hustler to becoming one of hip-hop’s biggest stars and pop culture's most important voices for change.
0
Composed of a series of short vignettes that share a telecommunications application as a common thread, Distancing Socially focuses on loosely connected human interactions taking place virtually across a world in lock down.
0
Goparajan / Gopan, a native of Neyyattinkara and a real estate tycoon buys a large piece of land in Chittur for a construction purpose, but on his arrival, he learns that the residents are forcefully and unlawfully evicted from their properties by an Andhra based real estate mafia using illegal land acquisition rules with support from the local authorities and government officials.
-1
Caught between a lost-love story and inescapable paranoia, "Go/Don't Go" is a genre-bending slow-burn thriller that follows Adam, a wallflower who happens to be the last person left alive--or so he thinks.
-2
A neglected and naive teenage girl uses the internet to deceive people for gifts until she crosses the wrong person and things take a terrifying turn.
-4
One of the greatest and bravest incident from the life of The Great Maratha King Chhatrapati Shivaji Maharaj where he defeated Afzalkhan with his brilliant tactics and courage.
5
10 comedians. 6 hours. One room. One simple rule to follow: you laugh, you lose.
-1
Acharya, a middle-aged Naxalite-turned-social reformer, launches a fight against the Endowments Department over misappropriation and embezzlement of temple funds and donations.
0
Action actor Tateishi Daisuke who struggles with loneliness after suffering a traumatic experience due to an accident during filming. One day, he comes across a senior high school girl Ayumi who is being harassed consistently by Chinese brokers and the local yakuza. He decides to protect her from them. However, after this incident, he comes to develop a mindset of seeing violence as a way to gain the affirmation and approval of others thus gradually loses himself and behaves in an extreme manner.
-1
Wang Xuan and Xiao Qi strike a deal for the sake of power. They marry first before falling in love and join hands to protect their homeland. She is a woman who is no less than any man while he rose from humble beginnings.

The imperial family has become rotten to the core. The nobles are lavish with no regard for the people. Princess Wang Xuan and her childhood sweetheart, the third prince, become pawns of a prophecy that states, "to acquire thee is to obtain the world." Being pulled into the matters of the court, Wang Xuan is married off by her father to Xiao Qi who comes from a poor family. On the night of their wedding, Xiao Qi is forced to leave the capital. Wang Xuan is shamed and discouraged. The Helan Prince kidnaps Wang Xuan in order to seek revenge on Xiao Qi. The crisis they face becomes a blessing in disguise for the couple. Wang Xuan is moved and inspired by Xiao Qi's wish to bring peace and prosperity to the nation and they fall in love.
4
Sibling astronomers join forces with the military when hostile aliens attack Earth.
-2
Mary J. Blige set the music world on fire with her trailblazing 1994 LP "My Life." The singer, producer and actress reveals the demons and blessings that inspired the record and propelled her to international stardom. She celebrates the 25th anniversary of her most influential work by performing the album live for the first time.
2
Call Time tells a story about an inexperienced film crew and has-been director Ethan Shaw who attempt to film the greatest scary movie of all time. Little do they know, they are the main stars of the show. Some of the characters’ greed for Hollywood fame turns into a series of twisted betrayal. The guilty rises from the ashes as the innocent fall under grotesque bloodshed.
-7
Nina and Dylan, best friends since childhood, have no secrets from one another.
1
Ace, a 12-year-old boy is new in middle school. His grandfather from Transylvania passes away at the ripe age of 99, and sends him his dog, Fang, to look after. Ace soon discovers that Fang is a vampire dog. Professor Warhol, a mad scientist and her bumbling assistant Frank, try to capture Fang to steal his DNA, in order to look young.
-2
Lucas suspects his wife is losing her mind when she claims demons are waging a war in their urban home. Eerie evidence is mounting that she may not actually be crazy after all, but what she's about to tell him next is that he must do the unthinkable.
-5
In this jaw-dropping tour de force of honesty and vulnerability, Ryan James takes a deep dive into the darkest of places without a trace of self-pity, navigating a daring, hilarious performance that rises into a heart-warming, hopeful crescendo.
5
Carlos Sainz has turned 59 years old. While the rivals of his generation have already hung up their helmets, he continues at the highest level, year after year. His story is an example of perseverance. A two-time World Rally Champion and three-time Dakar winner, his ambition knows no bounds. We live with him through his most exciting year, including Carlos Jr.’s debut as a Ferrari F1 driver.
2
A man tries to solve the mystery of his girlfriend's disappearance in this dreamlike, erotic tale of love, betrayal, and obsession inspired by the Brothers Grimm fairy tale "Hansel and Gretel".
0
Planning to impress his father who is coming home after being abroad for a year, Nussa the smart 9-year-old kid participates in his school’s science competition. But when he receives news that his father cancelled his trip home and is unable to attend the competition, and at the same time a new, smart student named Jonni quickly becomes his rival in the school's science competition, Nussa learns the true meaning of gratitude.
2
Kick Like Tayla shares a raw and unfiltered look into the life of AFLW player and boxing champion, Tayla Harris, as she confronts public and personal challenges, and channels her platform for good.
3
Mahi, a newly married woman, brings an antique Jewish box into her home. When Mahi and her husband Sam begin to have paranormal experiences, they soon learn that the box is a dybbuk containing an evil spirit. The couple then seeks the help of a rabbi to unravel its mystery. Will they survive this ordeal before their child is born?
-4
Darryl Stephens plays Pete Logsdon-just a guy in Philadelphia who happens to have a history of getting involved with married men. His father, played by veteran Richard Lawson and his soon-to-be step mom, Leslie Zemeckis, are on him to find someone who's actually available and to settle down. Instead, he finds a man named Jack who is fifteen years into a perfect marriage with two beautiful children and an enviable wife.
4
A burned-out ex-Navy SEAL and an emotionally-damaged firefighter work together as handymen in Tidewater Virginia. Things turn surreal when a simple renovation job becomes a journey to another world to rescue their client from a trans-dimensional witch bent on revenge in this imaginative take on Grace Sherwood-the Witch of Pungo.
2
Inside the Circle is a quirky romantic dramedy that tells the story of a girl who believes in relationships and marriage, and who falls for a comic book and superhero-loving man who does not share her same beliefs.
0
Through two exciting episodes, Peric accompanies Europe’s top teams from the cancellation of the competition in March 2020 due to the COVID-19 pandemic to the crowning of the 2020-21 champion at the Turkish Airlines EuroLeague Final Four.
3
A Mexican-American couple expecting their first child relocate to a migrant farming community in 1970's California. When the wife begins to experience strange symptoms and terrifying visions, she tries to determine if it's related to a legendary curse or something more nefarious.
-3
Three friends take a road trip to the Mojave desert where their complicated relationships are pushed to their breaking point as the group encounters a reclusive, murderous cult.
-4
A hit and run of an 18-year-old girl becomes the hub of a wheel that sets into motion many a spoke - a journalist, a raging mother, a cop and a system all caught in an ethical dilemma. Questions are raised only to realize that the truth is rarely pure and never simple.
0
Arattupuzha Velayudha Panicker, a 19th century fiery social reformer and his unswerving fight against the dominant caste oppressions by the upper classes.
0
When martial law is declared, a family seeks shelter in the safety of its own home during a nationwide lockdown for a highly contagious virus.
-2
Burning defeats and victorious triumphs, All or Nothing follows Juventus, one of the world’s greatest clubs, through a memorable season of change. Unprecedented and exclusive access to Ronaldo and to some of the greatest names of world football, dramatic moments behind the scenes, an unmissable series about a championship that will keep you on your toes until the very last day.
5
After twenty years of separation, Jake and Joe's mom dies a millionaire in Greece, leaving a will to give her sons a chunk of her inheiritance, only if they agree to live with their Greek brother for 45 days.
0
Southern attorney Angie Lawrence searches of the rightful owner of a journal recovered from an antebellum home she inherited. The journal is full of mystery and history that just may lead her to the future she has always dreamed of.
1
Set in small town Ireland in 1981, 'Dannyboy' tells the story of a young man trying to find love among New Romantics, Post Punks, Goths and others tribes. The film centres around Daniel, an anxious, stuttering teen in his attempt to save his demented family in the midst of a compromising love triangle.
0
Tom Brady is arguably the greatest quarterback of all time with stats that surpass even Peyton Manning, Joe Montana, and Dan Marino. With seven Super Bowl rings and a legendary 60-plus MPH rocket arm, he is the GOAT. Learn the backstory of how this champion rose to the top from his childhood friends, high school and college teammates, coaches, and fellow NFL players.
6
The film presents de Suzane von Richthofen's point of view of the events that led to the death of her parents. A real crime drama about one of the most shocking murder cases of Brazil.
-3
An ancient dust that controls humans is unleashed, but mysteriously affects Jim Yung who gains superpowers. Jim is taken to an underground base where he's trained to be an operative to take on an imminent alien threat and learn why aliens have returned to Earth.
-2
A young woman is abducted by a strange group of human traffickers who use drug and trauma based mind control to turn women into "Sofia" dolls. Trapped in a waking nightmare she fights for a way to escape, to avoid becoming Girl Next
-4
Jack Halsey takes his wife, their adult kids, and a friend for a dream vacation in Kenya. But as they venture off alone into a wilderness park, their safari van is flipped over by an angry rhino, leaving them injured and desperate. Then, as two of them go in search of rescue, a bloody, vicious encounter with a leopard and a clan of hyenas incites a desperate fight for survival.
-4
A driver is confronted by years of pent up trauma and unresolved emotional damage when he meets the love of his life and her abusive boyfriend. It's one hell of a ride.
-4
Jamie and Sofia Cooper's marriage is on the rocks, when they wake up one morning to find they can no longer touch. How will they save their union?
0
This Story is about the unpredictable journey of Goutham, who takes on to experience the best weed in the world not knowing that his life is going to end soon due to drug addiction.
-1
This four-part docuseries chronicles one unforgettable season with Mexico's homegrown soccer club, the Chivas of Guadalajara, as they attempt to resurrect their legendary franchise from the ashes of five losing seasons.
1
Revolves around a mineral water pool in director Hristiana Raykova’s hometown of Varna in Bulgaria. Situated right by the sea, this thermal pool is lovingly called “the pit” by local residents. Sitting in the hot water, they lean back up against the pool’s edge and philosophise about their lives. Here personal and political convictions collide, and tell of both social change and stagnation at the periphery of Europe.
2
A wounded, bloodied man takes a priest hostage, hell-bent on confessing a vengeful truth before it is too late. The seemingly random encounter is soon revealed to be anything but as the two men’s lives are inextricably linked.
-4
A pro ball player with a substance abuse problem is forced into rehab in his hometown, finding new hope when he gets honest about his checkered past, and takes on coaching duties for a misfit Little League team
-3
Documentary that covers Federica Pellegrini's career and her preparation in the last 300 days before the Tokyo 2020 Olympic Games.
0
HELLBOX is a paranoid supernatural thriller about a shadowy conspiracy against humanity that stretches across five centuries. It’s told through interweaving storylines in which assorted people (knights from a holy brotherhood, a group of college girls, a suicidal psychiatrist, and a haunted couple with their own dark secrets) see their lives horribly changed when they come into possession of an ancient, mysterious box… Some say it holds a piece of Hell.
-6
After 5 people win a rafting trip down the Colorado in Utah, their adventure takes a deadly turn when they camp off the river for the night, and find out they aren't the only ones out in the remote rugged canyon lands.
0
Srikanth and his friends Sekhar and Ravi head to the city in pursuit of some izzat. Once there, they realise that maybe they were better off back home in Jogipet.
1
A brilliant engineer teams up with a young recruit to solve a software problem for an IT company. However things take a turn for the worse when he's accused of using the software to steal from the company.
-2
The “good life” is just one scam away. This thought takes root in the minds of two friends Bhargav and Siddhant after they read countless news stories of bank scams that have happened in the country and that a total of seventy-one thousand five hundred crores has been scammed. Together they devise a plan to open India’s first fake bank. Will they get away or will they get caught?
-2
After a man's beloved dog passes, he embarks on a backpacking trip with his brother to bury his dog where he found him. Along the way they encounter a stranger on the run who turns their world upside down. The brothers must unite in order to survive and finish the mission.
0
Javier and Felipe are now full-time parents to their daughters. However, the fathers discover the girls are missing something: a mother. To find her, they invite their girlfriends on vacation with a secret plan.
0
After a three-year hiatus from a full performance, and with concert venues shut down due to the pandemic, Bieber delivers an electrifying show to close out 2020 on the rooftop of the Beverly Hilton Hotel for 240 invited guests—and millions of fans across the globe watching via livestream. The film follows Bieber and his close-knit team in the month leading up to the show, as they rehearse and construct a monumental stage while adhering to strict health and safety protocols. The film also captures personal, self-shot moments between Bieber and his wife Hailey.
1
A Hollywood agent returns to his Alabama hometown for 15 year high school reunion. His old schoolmates think, he's dating and bringing a famous movie star with him. He asks a cute client for a favor.
3
All Bindu needs to test out of high school is $53.75—by seventh period. Then maybe she can convince her mom to move the family back to India and leave her annoying new American stepdad behind in the US.  One of the winning titles of Mark and Jay Duplass’ Campaign to find America’s Next Generation of Indie Filmmakers.
0
Two strangers, Philippe and Paul head down a dark and twisted path inside themselves, as they uncover the connection between them. Together, they are forced to confront their choices, their shared history, and ultimately their humanity.
-4
Stand-up comedian Fern Brady brings her unique take on contemporary culture and the state of the UK to a packed crowd in Glasgow.
0
All hell breaks loose when a giant grizzly, reacting to the slaughter of her cubs by poachers, attacks a massive rock concert in the National Park.  [This sequel to "Grizzly" (1976) was left unfinished after production wrapped prematurely in 1983, and was not officially released until 2020, though a bootleg workprint version had been in circulation for some years prior to this.]
-6
An eccentric professor takes four of his students to the mansion of the “Mad Hatter”, an urban legend driven insane by mercury poisoning and grief. He says that there’s nothing to worry about now: the strange, shambling “caretakers” that haunt the home are merely servants that have fallen to inbreeding, and the Hatter himself has been dead for years. But as the students start disappearing one by one, those that remain start to question if the professor’s experiment is truly scientific...and if the Hatter didn’t just succumb to his madness, but decided to spread it...
-11
While they prepare for the Three Wise Men's Cavalcade, Melchior, Gaspar and Balthazar open the doors to their palace for the first time for the filming of a documentary about their daily lives.
1
A desperate housewife discovers her husband is having an affair and kidnaps his unsuspecting mistress, but what starts as a prank quickly spirals out of control.
-3
Through a series of missions, a man discovers that the people he has been working for has unspeakable connections to dangerous organizations. Through the help of his love interest, they piece together clues to uncover the truth.

As a child, Li Jun Jie grew up under the loving care of his parents. He led a life that was the definition of a happy family. His parents were top scientists but when he turned twelve, they suddenly died in an accident in Pin Cheng. After becoming an orphan, Li Jun Jie is sent back to his hometown of Chong Hai. Rumors that his father betrayed his own country started spreading and his relatives refused to take him in. Left without a home, Li Jun Jie is sent to an orphanage where he meets Shi Yun Hao. They become the best of friends and through the recommendation of Chen Gang, they enter a security agency as new recruits. The two meet and fall for Zhou Zi Xuan.
0
By the early ‘80s, India had already witnessed multiple airplane hijacks. In 1984, the country was made to face another such challenge. BellBottom, a RAW Agent, sees through the plan and thus begins India's first overseas covert operation. An operation, lead by a forgotten hero, that went on to create one of the most defining moments for India.
2
When two inept criminals break into the home of a washed-up psychic in search of hidden loot, they get a lot more than they bargained for.
-4
Muthu and his cousin Karthi have fallen out, but when the latter's mud racing rival looks set to win an important competition, will the brothers unite?
0
When tasked with taking 'action' by an elementary teacher as a summer project, two affluent and spoiled siblings face their Dad's bankruptcy and parents' divorce by attempting to win the most complicated contest of all time.
0
Sandeep, a bank executive & Pinky, a suspended cop, are marked for a kill. Phones tapped, accounts blocked, they escape but escaping is not freedom.
0

0
A troubled teenage girl downloads a new app, 'Shall We Play?', in an attempt to heal her past, but unknowingly the app possesses her into the game.
0
At the behest of his father, young d'Artagnan travels from rural Gascony to Paris, where he becomes embroiled in a devious plot between the King's Musketeers and the Guardsmen of Cardinal Richelieu.
-3
When a girl has her friends come along with her to scatter her father's ashes at the old family farm, strange things begin to happen. A warm campfire and scary stories is only the beginning to a night she'll never forget.
-1
Set in a teahouse in Myeong-dong, Seoul right after the end of the Korean War, The 12th Suspect follows the suffocating psychological showdown that takes place between a detective and the 11 suspects who find themselves caught up in a murder case.
-3
Claudia shows up at a bar to meet Luis, a doctor who contacted her through a dating app. Claudia doesn't suspect what fate has in store for her. A kidnapping that ends with an inevitable and unpredictable death. A suspense story with surprising twists until the last second, narrated in a sequence shot without cuts.
-5
Follows the deadly Australian bushfires of 2019-2020, known as ‘Black Summer’. Burning is an exploration of what happened as told from the perspective of victims of the fires, activists and scientists.
-2
A school kid rescues a blind Siberian Husky to prove its worth to the outside world where it was neglected.
-1
7 years after the events of Drushyam, the family lives with the trauma from that fateful night. A gripping tale of an investigation and a family threatened by it. Will Rambabu be able to protect his family this time?
-1
A reputed college that is now on the verge of closing due to the privatization of the education system and political reasons. The college Principal fights against privatization and the protagonist supports his vision.
1
One of the most prestigious psychiatrists in Mexico decides to put her three children to the test to determine how to divide their inheritance. Everything gets complicated when one of her patients decides not to collaborate with them.
1
After looting a Native American burial site in the Old West, a hunter unwittingly unleashes a shape-shifting demon. Once thought to be only a legend, it rises from the grave to wreak vengeance on those who cross its path.
-3
Set on the tiny inhabited island of Muck, off Scotland’s west coast, Cindy Jansen’s cinematic and haunting documentary explores how difficult it is to change the habits of a lifetime.
-2
A Beverly Hills CEO has 24 hours to deal with her cheating husband, protect her company from a corporate raider and decide if the world is ready for the first commercial life extension drug.
1
The culprits behind multiple deaths in a family over a few years are exposed, but there is more to it than meets the eye.
-2
A Director calls for an audition and makes a movie out of it by creating conflicts between the artists who attend the audition.
-1
A young woman accepts a job at an ancient mansion, unaware that she is confronted with a dark secret linked to her family.
-1
A young lawyer and his wife land in a situation where they're forced to spend a weekend at the cottage of a senior partner. But what unfolds may cost them a lot more than they bargained for.
0
Rishi is a writer/director who is narrating a script close to his heart to Rohini - possibly the lead protagonist of his film. As he begins his narration, we step into the world of Rahul, Riya, Rambo and Raju - four friends living their best days amusing people with childish shenanigans in school.  These four "Vellas" are complete and content with each other's company and couldn't care less about the world around them until life hits them in the face. An enthralling script narration on one end, and four immature kids trying to correct a plan gone wrong on the other - Velle is about laughter, friendships, frenzy and the unpredictability of life.
0
An investigative documentary series from LADbible Australia uncovering first-hand accounts of racial injustice, while exploring the shocking statistics behind the broader issues.
-3
Follows the history and culture of the Black church and explores African American faith communities on the frontlines of hope and change.
1
A behavioral experiment treating humans like animals goes awry when a university student manipulates the research with deadly results.
0
‘Marakkar Lion of the Arabian Sea’ portrays the courageous life-events of a rebellious naval chief, Kunjali Marakkar the fourth, who fought against the Portuguese in the ancient times. He was the fourth naval chief of the Calicut Zamorin. The film revolves around him who was also the first Indian Naval Commander and Indian freedom fighter for the war against the Portuguese. He is said to have won 16 such battles with his impeccable strategies and fighting skills.
4
Danny is a student that barely gets any attention at home because his mother is mentally ill. At school however, he is very popular and known as a big bully. His main victim is Suus, a lesbian classmate who faces many problems due to her sexual orientation.
-1
Champion. Olympic Medallist. The Doyen of Indian Badminton. Saina Nehwal is all of this and much more. This biopic chronicles the inspiring story of a gifted youngster's ascendance to the pinnacle of the Badminton World through sheer passion and perseverance.
6
Former NSA cyber-security asset Thadeus Jackson risks it all in an attempt to kill The Supremacist, Defender of Capitalism and The American Way. A Son Of A Crow Production. A Brandon Crowson Film. Expected to be released in 2021.
-1
A bracingly honest new documentary sourced from hundreds of hours of unseen archive and all-new conversations captured during the pandemic, the film features open and frank insights from each band member plus collaborators inextricably linked to the group’s orchestral adventures. Alongside dramatic re-interpretations of their hit songs, ReOrchestrated charts the very beginning of the band’s foundations all the way through the highs and lows of their three albums to date, via landmark, full orchestra appearances at Royal Albert Hall, Elbphilharmonie in Hamburg and The London Palladium, not to mention the inevitable tensions encountered en route.
-2
A couple on the verge of divorce have to stay together during lockdown as a nasty surprise awaits them.
-1
Trini's daughter is sad that her best friend is leaving Saint Michael School since her mother can't keep paying for it. Trini promises her daughter that this won't happen and decides to put together a plan with the other "mamis" of the group to solve the problem. But this mission will be much more difficult than they thought and they will have to stick together as a group.
0
As a mother becomes suspicious that her daughter may be infected by a parasitic creature, she is thrust into a nightmare as the people she trusts most push her into a chasm of drug addiction, self-destruction, and devastating sacrifice.
-3
Charlie, a simpleton daydreamer, currently a pizza delivery boy is tasked with driving his uncle's truck , Girnaar Express, to deliver a gorilla from Mumbai to the jetty at Diu. However, Charlie is unaware that Gorilla is disguised business tycoon MD Makwana, who is on the run after committing a multi-crore scam.
-1
When Air Force Space Command receives a signal from an alien satellite in Earth orbit an emergency meeting with the President reveals a government conspiracy.
-2
The humble, technology-challenged Oliver Twist struggles to keep close with his sons as they grow up and become active on social media.
-1
Santosh suffers from a psychological problem that causes him to be insecure about his size. Struggling to find a solution, he erases the idea of marriage altogether until he meets Amrutha, with whom he falls in love.
-4
Upcoming Kannada comedy entertainer starring Likith Shetty and Amrutha Iyengar in the lead.
1
Steve McQueen and James Rogan’s new docuseries Uprising examines three pivotal events from 1981 and how they defined race relations in Britain for a generation
-1
Wine and War is a documentary about the history of winemaking in Lebanon and the resilience of the Lebanese entrepreneurial spirit seen through the lens of war and instability.
-1
Upon reaching the train station to death, a dejected soul is informed that he is "lucky" and will have another chance at life. He is placed in the body of a 14-year-old boy named Makoto Kobayashi, who has just committed suicide.
-2
Strange events plague a recently widowed woman and her young daughter when they move to a small town.
-2
Phillip Molinari Senior quietly built his organized crime empire in the decades between Prohibition and the Carter presidency. His reach extended far beyond the coal country of Albany, NY, and quaint hometown queens New York. His legacy left a culture of corruption that continues to this day.
-1
Donny Drucker's 1998 Bar Mitzvah VHS Tape.
0
Anna is 30, a bartender, beautiful, sexy, and emotionally dysfunctional. Tired of life and planning to commit suicide, she begins making her own funeral arrangements. Then Anna meets Sam, the boyfriend of her neighbor, and something sparks between them.
0
A solitary writer on a downward spiral life changes when the lead character of her novel comes to life in a physical from unrecognizable to her  and will force her to face her dark past.
0
A satirical six-part sketch comedy.
-1
A fictional drama inspired by true events, the Massacre of Kalavryta, committed by invading German troops in Kalavryta, Greece, in December 1943.
-2
A high school social outcast is taken under the wing of a mysterious mentor, only to be groomed as the hive's next queen.
-2
A retired high school English teacher is confronted by a former student who failed her class 15 years prior. He then involves her in a feature-length presentation on Moby-Dick and the science of reading.
-1
Peter and Amanda spy on a bickering couple from their penthouse, but when the man finds out, he vows to make the nosy couples life a living hell.
-2
A family rents their home to unsuspecting tourists to satiate the monster that lives in its very walls.
-2
While shooting a documentary on the suspicious disappearances within the homeless community, a filmmaker and his crew go missing while uncovering a terrifying and vicious secret below the city's surface.
-2
Sathyajith, Assistant Commissioner of Police, along with his team is assigned to handle controversial and complicated cases. One day, while fishing on a lake side, a man finds a garbage bag trapped inside his net.
-4
Horror anthology from multiple directors.
0
In a village with greedy property fights among the families, Jagadish (Nani) carries on his father's legacy to reform all the property issues in his village while trying to reunite his family, which is also split due to property issues.
-3
Satya Azad, an upright Home Minister wants to cleanse the country of corruption with his Anti-Corruption Bill. However, it fails to get enough ‘Ayes’, not only from his allies, but also from his wife Vidya a member of the Opposition, who votes ‘Nay’ in the Vidhan Sabha. When a couple of gruesome killings take place in the city, ACP Jay Azad is brought in to nab the murderer, never mind his motive.
-5
Gopi, an arts and crafts professor, on his first day at work faces the task of saving the school which has been taken hostage by four radical social media activists.
-1
The plot revolves around a police inspector and an unknown informer who conveys about future murders in a mysterious way. Will she be able to find the informer?
-4
Jack Strachan, a shady ex-sports star in hiding out in Norway, is stalked by a mysterious woman he cannot identify who closely resembles his murdered wife, Veronique. Convinced of her evil intent and determined to unmask her, he forces himself to re-live the harrowing events that culminate in Veronique's brutal murder at the hands of violent associate, Karim, and confront the demons that first drove him underground.
-8
Trent “Silverback” Williams, the NFL’s best offensive lineman over the last decade, overcame a life-threatening cancer on his head to become the highest-paid at his position in league history and an accomplished entrepreneur off the field.
-1
Friends battle former U.S. presidents when they come back from the dead as zombies on the Fourth of July.
-2
Bunty and Babli are forced out of retirement as a new pair of cons emerge, doing robberies in their name with their trademark sigil across India.
0
A heartbroken writer struggling with writer`s block goes to a quiet hill station where he finds love again but uncovers a copycat serial killer who has mysteriously come alive and is killing everyone around him.
-2
Adrian Grenier stars as Sean McAllister, a successful fashion designer who hasn't seen his family in years. He returns to his hometown for a painstaking family reunion that will take him back to his past only to rebuild his future.
1
A successful white documentarian deals with the fallout from his last film, which caught the murder of a Black teen on tape. While he films a new doc series, someone else tapes his every move.
-1
This documentary catalogues and examines early space age anomalies and UFOs. Cary and Stanton demonstrate NASA's interest in UFOs through astronaut testimony, examinations of declassified documents, and a history of cover up.
-1
The story of a dream that was larger than life and one woman's journey to achieving that dream.
0
Jo & Jo is a coming of age comedy-drama that tells the story of how a few youngsters in a village enjoy their life when the world itself shuts down due to covid19 pandemic and how their life fell apart after an unexpected event happened.
-1
Something has been discovered, and this time, a city is under attack by a fast growing T-Rex.
0
When Jack, a groomsman, leaves for his best friend's wedding several states away, he's asked to pick up stranded bridesmaid Samantha. Jack discovers that they've met before and have had a less-than-friendly past.
1
A fallen MMA fighter must win a netherworld no-holds-barred death tournament against man, beast and demon to save her soul.
-2
Romantic, small-town girl Holly and realist, career-driven Chris aren't a likely pair, but when "matched" together by Holly's all-knowing great-aunt, they don't have much of a choice.
1
A groovy mushrooms dealer and a man from the 5th dimension journey through Hollywood to find the meaning of "Mondo."
0
A young rapper moves to Los Angeles in search of stardom and instead finds an unlikely friend in his dispirited apartment manager whose dreams led him to the same city twenty years prior.
-1
Sexy puckish pickpocket Becky, a Bugs Bunny of a girl, is teasing a wallet out of a purse on a crowded Athens metro when she notices Miranda, falls in love, and the chase is on. Oops, Becky picks the pocket of a policeman on vacation, her Elmer Fudd, and he's obsessed with catching her.
-1
A contract killer accepts a dangerous job that goes badly wrong, putting his wife's life in danger.
-5
A race war suddenly breaks out in the streets, forcing a young woman to desperately seek refuge inside a dark warehouse with a stranger. She quickly finds out that it is much more dangerous navigating the mysteries inside than facing the violence outside.
-6
Four college students are accused of raping and murdering their classmate. Are they criminals or innocent?
-2
Stracci is a journey. A documentary that tells the sustainability of fashion by looking at it with the eyes of those who have always recycled used clothes and transforms textile waste into a new raw material.
0
A Stranger (30s) hikes out of town and into the forest. He sets up camp for the night. He hears a deep howling, peeks his head out the tent and gets attacked -- leaving him unconscious. An anonymous Man (25) drags his body to a house, which is nestled in a place that time has somehow forgotten. The injured Stranger awakens in a bed as a Woman (35) nurses him back to health. This Man and Woman play a game with this Stranger, a game that pushes him to the brink of madness.
-5
Las huellas de elBulli is a polyhedral vision of how Ferran Adrià’s career once did, and still does, influence not only the world of gastronomy, but also creators in many other disciplines and in the collective imagination in general. In July 2011 it will be ten years since the closure of elBulli, the restaurant that forever changed the face of world gastronomy. The time has come to follow the footprints left by Ferran and his team, footprints which remain alive today. For many it will be a revelation to realise just how many aspects of today’s foodie culture stem from a house hidden away in a remote cove in the province of Girona.
1
A journalist tries to uncover the circumstances that led to a shocking episode of violence in this drama from director James Bruce. Leonard Grey was a troubled seventeen-year-old who one day went on a shooting spree, injuring several students at his high school and killing one before he took his own life. A reporter for the Los Angeles Times is assigned to research and write an investigative piece about Grey. The journalist studies interviews conducted by the police with the boy's friends and family as well as conducting several of her own as she tries to understand what turned a seemingly ordinary youngster into a killer. She finds an especially intriguing subject in Cameron Porter, Leonard's best friend, who may have been involved in the shootings through he carefully refuses to incriminate himself.
-1
At the turn of the 19th century, Pugilism was the sport of kings and a gifted young boxer fought his way to becoming champion of England.
2
6 strangers wake up inside a room garnished with weapons and are forced to kill each other or watch someone they care deeply about die.
-3
For one female entity time stands still, while for another time travels back and forth between the plains of the supernatural and the earthly horrors of exploitation and murder.
-2
Morat, the band with the highest amount of tickets sold in LATAM and Spain in the past years offered an unforgettable concert on December 15th at Wizink Center in Madrid as a final clasp of its mythical "Balas Perdidas Tour". They went through the greatest hits that they have been harvesting year after year consolidating them as an icon on the Pop Scene.
2
After observing a hauntingly familiar abnormal CAT scan of a 13 year old girl, radiologist Nina Evanko battles to find the source of the young girl's sleeping disorder. What she discovers is darker and stranger than she could have imagined.
-4
A retired Spetsnaz agent relies on his old skills to save his beloved daughter, who has been kidnapped while working in South Beach.
2
An aging neuroscientist teams up with a group of young graduate students to prove his hypothesis that individuals with disabilities hold the key to unlocking a sixth sense before his past catches up with him.
0
After a man loses his child, he begins a campaign to destroy the white collar criminals behind the opioid epidemic, and reluctantly embraces his anti-hero status.
-5
A captive daughter endures around two decades of abuse at the hands of a sadistic father. One day, destiny presents her with an opportunity to break free.
0
After escaping abduction, a frantic woman must coerce an exhausted truck driver to hide in the back of her truck for the night. The two women take refuge, not knowing what the rest of the night has in store.
-3
Two brothers, Karthi and Sidhu live with their mother. As a family, how they face life and deal with all the challenges thrown at them is what forms the crux of the story.
0
"Found" is the story of an innocent teenage boy raised up in the Appalachian Mountains on a small old fashioned homestead devoid of modern conveniences and tucked away from the broader culture at large. Through a sudden tragedy, he suddenly finds himself cast out, alone and adrift into our high-speed, hi-tech modern world until he meets a troubled family who takes him into their home for better or for worse. What he learns about himself and what others around him discover about themselves brings new meaning to the phrase "testing your faith" (James 1:2-4).
1
Darius Thomas' family history is filled with tragedy. Three generations of Thomas men have all taken their own lives, all struggling with mental illness. A promising writing career threatens to be side lined as mental illness once again rears its ugly head, this time taking aim directly at Darius. Struggling to deal with his new reality and surrounded by pressure from all sides, Darius must decide if he will face the beast head on.....or crash right into his family's history.
-5
Ten years after a terrible disease has killed the majority of the human race, Stanislas Merrick, a former boxing champion, survives alone near a lake. In this world without humanity, his motivation to keep living starts to fade. His meaningless existence will be changed forever when he meets Esther, a teenager running from a refugee camp.
-2
Hugo Winter a roguish American drug smuggler, travels to Uganda in an attempt to export a large amount of Bulu, a sacred herb that grants the user visions of their future. Upon arriving in Kampala, he soon discovers that his only means of achieving this is through two sisters with competing agendas, born-again Kisakye and rebellious Angela, who come from the remote village of Makaana where the Bulu is grown. As they lead Hugo deeper into the jungle and further into their web of deceit, it is unclear if his drug-addled prophecies are helping his quest or clouding his future.
-2
Two storylines involving artists in lockdown intersect in this South African drama about creativity, mindfulness and wellbeing. Jabu is an ambitious auteur plagued by demons, who accepts a place on the jury at a film festival in Johannesburg so he can be closer to his young son. He has been clean for months now, and is working on the side as part of the scriptwriting team for the most popular soap in South Africa. All with the aim of becoming the father he previously failed to be. Roxanne is a filmmaker on the verge of her international breakthrough, struggling with an unwanted pregnancy – which in South Africa cannot legally be terminated.
1
A mysterious modern-day Robin Hood gives the victims of a bank robbery a million dollar opportunity.
-1
A serial rapist terrorizes a small town and becomes infamously known as the Towel Man.
-1
The movie revolves around two couples with age gaps of 15 years.
0
Two men who know each other only through Facebook share two things in common: their name and their opinion towards crimes against women. Their lives take a deadly turn when they both meet in person for the first time.
-2
Based on the original play, Gun and a Hotel Bible is a provocative film about a man on the verge of a violent act, and his encounter with a personified hotel bible.
-2
It tells the story of Tang San who overcomes many difficulties to protect his loved ones, bring honor to his sect, help his country and become the strongest and bravest soul master.
4
Zhao Pan'er is a smart and savvy teahouse owner in Qiantang, living alongside her two best friends Sun Sanniang and Song Yinzhang. When she finds out her fiancé left her for another woman of a high ranking officer after becoming an official in the capital of Bianjing, she refuses to give into her fate and decides to travel to the capital in search for the truth. On her way there, she crosses paths with both of her best friends whose lives she saves, and they follow her onward. Gu Qianfan is a commander in an elite capital squadron nicknamed "Living Devil". He is setup by the very people he swears allegiance to and must find out the truth behind a nefarious scheme involving the imperial court. When he first meets Zhao Pan'er, they don't see eye to eye, however this intelligent businesswoman has caught his attention and as they help each other, they get closer to their own goals.
3
Lin Zhixiao's entire world is turned upside down just before graduation. Her father is hospitalized after being diagnosed with cancer which leaves her no choice but to give up an important job opportunity. She and her boyfriend also break up. In an instant, all of her hopes and dreams for the future are gone.

At this time, Gu Wei, her father's attending physician, walks into Lin Zhixiao's life. Love has the tendency to creep up on you when you're not looking. Two people who have been hurt before gradually get to know each other and fall in love. They go through doubts and hit road bumps, they experience misunderstandings and trying times, but in the process of falling in love, they realize that they are made for each other.
-5
Heroine Ning Yi one's background is slightly cold, however from beginning to end positive enterprising, from compose poem, from business, to learn martial arts, Qi, from the initial ease to spend the tauntuse, gradually assume more responsibility, help Su Tan son to start a business together, the friends and relatives who help the side again realized respective ideal, aid people hardship, grant a person to fish. After the face of domestic affairs, Ning Yi and a group of people repeatedly in danger, but ultimately rely on courage and wisdom to protect the city of Lin An. Just as the saying goes, "a small verbous husband is a big world", Ning Yi has grown from a verbous husband who just wants to do things by himself to a person with a real mind for the world. The other characters also have their own growth, and finally contribute their own strength to the big situation.
5
An action film about the ambitions, conspiracy, and betrayal of different organizations surrounding the life-changing project of building the largest resort in Gangneung.
-2

0
In order to advance her career in the dynamic world of publicity in Mexico City, Raquel tries to reunite with her high school friend Cecy who has become the queen of social media. But unlike followers, friendships do not come instantly.
2
Alice, a young and talented sous chef at NY's top restaurant, receives an invitation to judge a food competition for a prestigious annual fundraiser.
3
Meet Cheo Martinez, the neighbor you do not want to have and whose time has come when his neighbors, tired of putting up with him, hire Carolina Rico, a beautiful and audacious escort, to make him fall in love and get him out of the building. ¿What will happen when Cheo falls into the tricks of love and Carolina’s dark past reaches her? Now, we will meet their real neighbor, a Moody with heart.
-4
Their destinies were tied together due to a contract marriage. She's an ordinary girl who believes that woman have a right to an education too. He is a prince who needs to live up to his reputation of being lazy and unskilled.

Xie Xiaoman unintentionally offended Zhao Xiaoqian, the famous Julu Prince of the Wu Jiang manor. Because of a set up, the two enter into a contract marriage leaving Xiaoman no choice but to marry into the royal family. Expected to remain as an insignificant prince his entire life, can Zhao Xiaoqian become a general with the courage and capability to protect his country? Despite coming from ordinary beginnings, Xie Xiaoman is also determined to find her path. From clashing endlessly to gradually opening up to each other, Zhao Xiaoqian and Xie Xiaoman overcome many obstacles together as they learn to love and support each other as husband and wife.
5
Dámaso Pérez Prado, known as "el rey del mambo", came back from the dead to look for the love of his life.
0
Bear brothers Briar and Bramble set off on an adventure with their human friend Vick to Wild Land, an amusement park where humans can turn into animals using a gene-technology bracelet.
-1
Malou finds a bag with money dug into the ground, while Liana is hunted by criminals. Swedish mini-series about robbery, money laundering and running a bakery.
-1
This story is about Shi Yi, a gentle pleasant and low-key but industry's top voice actress, who ran into the elegant returnee chemistry professor Zhousheng Chen at the airport one day. They gradually develop a mutual understanding in getting along with each other, and join hands to preserve traditional craftsmanship and overcome many storms as they decide to accompany each other for the rest of their lives...
4
An encounter leads to a lifetime of memories. An ordinary man accidentally wakes the mysterious Si Teng from decades of slumber. In helping her search for her identity, they overcome many obstacles to grow together in love.

On a journey to retrace his ancestry, young designer Qin Fang accidentally sets off a contraption that leads to him to a woman named Si Teng who is bewitchingly beautiful and powerful. Confused by the fragmented memories in her mind, Si Teng claims to be Qin Fang's new master and forces him to aid in her plans. Si Teng gradually opens up to Qin Fang and grows to discover the novelty and wonders of living. However, Bai Ying who has became crazed from her obsession becomes a roadblock in their relationship.
6
A story that follows two couples who mistakenly find themselves in a marriage they never expected and gradually grow in love and trust over time.
1
In a crime-noir about the urban child-soldier, Akilla Brown captures a fifteen-year-old Jamaican boy in the aftermath of an armed robbery. Over one gruelling night, Akilla confronts a cycle of generational violence he thought he escaped.
0
The story follows a group of birds on a journey where they try to find a better life for themselves and the ones they love.
2
A group of friends on a camping trip, for the bride to be' s hen do, find themselves hunted down by a man eating cannibal troll in the woodland. They are hunted, captured and locked up in the Trolls torture chamber being forced to undergo a variety of challenges in order to escape their fate.
-1
The year is 228 of the Common Era, and China is divided into Three Kingdoms, which find themselves at odds with each other. A seemingly decisive battle has just taken place, with the Shu army clashing with the Wei. But military leaders in the state of Shu believe that the battle’s result was swayed by a campaign of misinformation – with faulty information leading to a critical misjudgment. They believe that this was all masterminded by Chen Gong (Chen Kun), a powerful spy believed to be located somewhere in Wei lands.

“The Wind Blows from Longxi” is a 2022 Chinese drama series that was directed by Lu Yang.
-1
Portrays the last story of “doomed idols” who need a single “success” in order to “disband.” The story of young people who confidently let go of their dreams as they grow through their failures and take courageous steps towards their new goals.
1
Set in the late 1950’s, The Larkins follows the golden-hearted wheeler dealer Pop Larkin and his wife Ma, together with their six children, including the beautiful Mariette, as they bask in their idyllic and beautiful patch of paradise in Kent.
4
A woman finds herself isolated in her remote home with her brother who is seeking forgiveness for the darkest moment in their family history.
-1
Zhou Sheng Chen was raised by his brother, the Emperor, until the age of thirteen, when he set out to defend the border and establish himself as a loyal and accomplished general. Cui Shi Yi, the well-read daughter of an esteemed family, has been betrothed to the Crown Prince since birth. However, political scheming and tragic events result in Cui Shi Yi falling mute, her former fiance becoming a child Emperor, and Zhou Sheng Chen returning to the capital amidst a cloud of political turmoil.
-2
The plot of the movie is set in the era of the 80s and 90s which were marked as a transformed period of Mumbai.
-1
A love story revolving around Zheng Da Qian, an employee of an advertising company, and Mu Zi Li, an entrepreneurial boss.

Zheng Da Qian is a northeastern girl with a bright personality. She is an employee of an advertising company. She also has a careless personality and extremely low emotional self-esteem. She seems to be very independent and strong when working. But in fact, there was a time that she was frustrated with her career and relationship, so she chose to return to her hometown in Northeast China, so that she can  spend time alone to focus more on herself.

Mu Zi Li is the boss of a start-up company. He seems to be easy-going and humorous on the outside. In fact, he has his own principles and stubborn personality. In order to protect his family, he chose to accept the current status quo that makes him feel depressed with his life. He never expected to meet Zheng Daqian, a northeastern girl who shared the same problem with him, which is emotional entanglements.
-1
Exiled unjustly, convicted without trial, slandered without cause. Man of God depicts the trials and tribulations of Saint Nektarios of Aegina, as he bears the unjust hatred of his enemies while preaching the Word of God.
-3
A friendship born out of conflict marks the start of a romance between a woman with a 'wolf-like personality" and the "son of the wolf king." Ling Long was accidentally bitten by a wolf. Yan Qing mistakes her for a thief while she detests his arrogant nature. As it turns out, Yan Qing is the son of her father's friend. Two states coexist within Ling Long, one is human and the other is a wolf. Randomly switching between two personalities make her seem like she is the type to pretend to be weak to take advantage of others. Meanwhile, Yan Qing, the son of a government official, may seem unrestrained on the surface but he carries the bloodline of the wolf clan.
-5
A Tango dancer and a rabbi develop a plan to enter a dance competition without sacrificing his orthodox beliefs. Family, tolerance, and community are tested one dazzling dance step at a time.
1
Melvin, a British author living in America, returns home to London for Christmas to introduce his American fiancée Lisa to his eccentric British-Caribbean family. Their relationship is put to the test as she discovers the world her fiancé has left behind.
-1
A bumbling new detective is hired by a billionaire lobbyist to investigate the theft of a prized ox. To unravel the peculiar case, he forms an unbeatable team with his assistant Uóston, the waitress and psychic Marcela, the detective accessories store clerk Larissa and the hacker Zuleide. Together, they embark on a fun investigation.
0
3 aliens, able to occupy different human bodies, are on a mission to kill all humans and wait for their fleet's arrival to Earth. A special agent and an LAPD detective are on their tail.
-1
The story of Huo Yan who becomes the vice captain of the Fire Rescue Team after graduating from the Civil Defence Academy.
-1
A pirate radio station is granting callers their hearts' desires. But as some teenagers find out, be careful what you wish for.
0
Based on a true story, ‘the Narrator’ is befriended by his young new neighbor, after he joins the local newspaper team. Obsessed with the idea that ‘the Kid’ may be a sociopath, ‘the Narrator’ goes to extreme lengths to uncover the truth about him. After unsettling rendezvous, the truth he finds is anything but what he expected.
-1
Ma-Ha is a member of girl group Teaparty. The other members are Ri-A and Hyun-Ji. Since their debut, they haven't achieved much success. Ma-Ha has received some attention due to her resemblance to popular singer Ri-Ma. Teaparty then takes part in a reality TV program, involving popular idol groups participating in sporting events. Ma-ha wants to catch the attention of viewers. Meanwhile, Kwon Ryeok is member of popular boy band Shax. He is well liked and is good at singing, dancing, and acting. He is also focused on maintaining his success. He doesn't like Ma-Ha, who imitates the appearance of popular singer Ri-Ma. During the TV program, Hyeok from boy band Shax gets injured due to Ma-Ha. Kwon Ryeok bursts out with anger at Ma-Ha. She also receives hate from other people. Ma-Ha doesn't want to see Kwon Ryeok anymore, but they cross paths on TV programs and while performing in a drama series.
9
Set during the Ming Dynasty, the story revolves around the romance between General Xu Lingyi and the concubine's daughter Shiyiniang that starts from an arranged marriage. Despite being born with a low status, Luo Shiyiniang is extremely assertive and believes that a woman's vision should not be limited to the household. She hopes to rely on her embroidery skills as a ticket to freedom. However, the once esteemed Luo family is in a state of decline. Hoping to save the clan through a marriage alliance, Shiyiniang is selected to become the wife of Yongping Duke and great general Xu Lingyi. Things were not easy for Shiyiniang due to the Xu family's biases towards her. Nonetheless, she manages to win over their trust through her optimism and sincerity. Xu Lingyi also becomes attracted to Shiyiniang's various beautiful qualities such that husband and wife manage to find love after marriage.
7
A college girl, studying abroad in Europe, stumbles upon a murder in progress, orchestrated by a terror cell, putting her life in danger as the main witness.
-3
A story that follows Xie Xiaoni, the daughter of a silk merchant who loses her family due to a conspiracy. Determined to stand on her own, she works on improving her skills to make a name for herself. Along the way, she finds love in Ouyang Ziyu.  As the daughter of the Xie clan, Xie Xiaoni spend her life preparing to succeed the family business to become a female merchant. However, the Xie clan falls to ruin after being framed by their rival, the Su clan. Xie Xiaoni survives and vows to clear their name and revive the Xie clan.

She enters the Jiangnan Yunjin manor under the pseudonym Nichang to learn embroidery skills. Years of training allows her to gain a foothold in the industry. However, the Su clan becomes aware of her intentions and attempts to silence her for good. Ouyang Ziyu  who has been in love with Nichang steps up to help her.
6
The leader of a boyband and an entertainment reporter are forced into many outrageous situations after they switched bodies. Jiang Yi is a big star in the entertainment industry. He is the cold and distant leader of a popular boy band. In reality, he's simply not good at expressing himself ever since his parents divorced when he was young. Meanwhile, Yu Sheng Sheng has become an entertainment reporter who keeps running up against a stone wall at work. Their lives were not meant to intersect, but an accident results in the two exchanging bodies on their birthday which happens to fall on the same day. The sudden change catch them off guard and with only each other to turn to for support in the days and nights that followed, Jiang Yi and Yu Sheng Sheng gradually fall in love.
1
In support of their fifth studio album 'Being Funny in a Foreign Language', English pop rock band The 1975 perform at New York City's Madison Square Garden on November 7, 2022.
0
To make ends meet, Tom signs on as a guinea pig at a home-based lab, but when he commits a crime he cannot remember, he must risk his own sanity to reveal the truth.
-3
When Paul is diagnosed with young onset Frontotemporal Dementia at 58, his family comes closer together than ever before. Along the way, he and his middle son Jesse learn many things about each other by working on Paul's old truck, finally taking it for one last fishing trip together.
0
After the tragic overdose of his estranged friend, Will, a recovering addict, returns home, where he is reunited with Claire, his friend's grieving mother, with whom he begins a secret but volatile affair.
-5
About five women who opened up a restaurant named Bei Zhe Nan Yuan in Beijing; and in the process they mature and attain love. As the biggest shareholder of their restaurant, You Shan Shan single-handedly brought her best girlfriends together. Bao Xue, an optimistic little-known actress, and Dai Xiao Yu who returned from overseas are cousins. Upon their reunion, they settle into a daily life filled with endless banter. The remaining two shareholders are not to be underestimated. Si Meng is a housewife while Feng Xi went to Beijing for the sake of love.
4
Inspired by a true story. When Mia’s body washes ashore, her mother, Laura, enlists the help of Mia’s best friend, Bailey, to figure out who killed her daughter. Together, they narrow down the suspects to a secret boyfriend and a classmate Mia rejected. As they further investigate, they find Mia’s secret boyfriend dead along with a note confessing to Mia’s murder. But when the police call Laura with new evidence, the real killer may be closer than she thinks.
-5
In 2030 during World War III, a small group of survivors make it into a bunker. Two years later they have to exit to find new supplies, but they are greeted by dinosaur predators.
1
Sakhi is known in her village as ‘bad luck Sakhi’ due to the misfortune she seemingly brings to whomsoever comes in her path. What happens when two men play catalysts to changing her destiny?
0
After his wife's death professional bodyguard Lung Wei went overseas to find doctors for his daughter, but instead found a new job as a virtual reality tester.
-1
An inspiring story about relationships, forgiveness, and priorities. Paul McAllister seems to have it all, but his life starts to fall apart. Guided by the wisdom and advice of an old golf pro, Paul learns about playing a good game both on and off the course.
2
A compendium of eight ghost stories, all set within an abandoned hotel in Suffolk.
0
John Parker, a 19 year old from Manchester, embarks on a journey to Brighton, the spiritual home of the Mods, on an old Lambretta scooter left to him by his father.
1
A desperate actor becomes a vampire and uses his new powers to land a movie role and the girl, but then must choose between life and the undead.
-1
When a serial killer abducts a young woman's fiancé, she must race against the clock to discover the identity of the killer, and more importantly - his motive.
-2
Years after a series of murders in 2017, book author Michael Lane suddenly begins to receive calls from the unknown. Instead of concentrating on his bestselling book, he becomes obsessed with this mystery and loses control.
-4
A life-long alien enthusiast and comedian, Brian Moreno, hires a film crew to follow him on his extra-terrestrial fact finding adventure to the viral "Storming Area 51" event.
1
Join birdie friends Do, Re and Mi in the musical world of Beebopsburgh, an island where instruments grow in the Falsetto Forest and a giant Music Mountain towers above all their adventures. Discover the sounds and melodies, move to the beat and see how music helps solve any problem.
-1
When a resentful brother organizes a prank kidnapping, he unwittingly hires career criminals who have plans of their own.
-2
Coming of age story, not a coming out story. An English teen has her life uprooted Sr. Year of High School. This small American town holds past memories from years spent there as a child & the uncertainties of teenagehood.
0
An undercover cop goes into the big bad world , an place taken over by a don, where his safety may be compromised.
-1
When a VHS-tape proves the existence of a rumored doorway to paradise, a young man abandons his decaying hometown in pursuit of the door to salvation, evading vengeful pursuers along the way.
0
A broker with a hidden agenda plots to steal a scientist's research, yet a mutual attraction develops between them.
-1
Two men are hired to protect a man who is fleeing a drug syndicate. The initial meeting turns into chaos and with a dead body, briefcase of stolen money and an assassin on their tail, Nick and Derek are going to have to do more than just protect - they are going to have to kill.
-4
Four young women begin life at university. Although they are firm friends, they are very different in almost every regard
1
Brandon's world is turned upside down when he receives a phone call from Maurice, revealing himself to be his long lost brother. However, the complexities in their budding relationship becomes more complicated after Brandon discovers that the woman he has been secretly seeing is his newfound brother's wife. Brandon tries to navigate, but he must ultimately make a decision before it is too late.
-2
Theodora, a time consumed professional crosses paths with Charlie, a writer, when she travels to his hometown for business just before Christmas. Both are taken by surprise when unexpected circumstances present themselves.
-1
A young Chinese nobody sets out to become a Don in the Italian Mafia. It turns out that earning respect, finding love, and discovering his identity doesn't come so easy. He'll have to fight his way to the top.
4
Life altering sins of the past revisit modern day lost souls in a small town...40 years later.
-1
The story of the Maratha Warriors at the battle of Pavan Khind in 1660.
0
A band of soldiers in search of a secret Japanese ammunition store face off against deadly saltwater crocodiles in the swamps of Ramree Island. Inspired by actual events during World War 2.
-1
A young, civilian aristocrat with no practical military experience must lead his bottom-dollar crew on a dangerous mission and overcome his youth, inexperience, and self doubt in this microbudget sci-fi drama.
-2
Juanes opens a window to his memory in this visual and musical journey in which he pays tribute to some of the artists and songs that inspired his musical identity.
0
Bandit chief Chu Luixiang is the main character of eight wuxia novels written by late legend Gu Long. Many cult films rom Hongkong have been based on the history of his adventures (Clans of Intrigue, Legend of the Bat, Perils of the Sentimental Swordsman, Legend of the Liquid Sword etc) In Wei Dong’s movie we will learn about the early years of the newcomer Chu who aspires to become a "thief" and inadvertently befriends Mu Qianyu, the new master of the Divine Water Palace, who is dressed as a man.
2

0
After learning their company has been illicitly spying, collecting and selling data on them, three millennial friends band together to fight back against a lecherous boss and the company's maniacal, Tarzan-obsessed CEO.
-2
While working his maintenance job at an upscale hotel, Barry encounters the mysterious Mr. Jay. He introduces Barry to the International Birthday Network, an agency that helps children across the globe suffering from miserable birthdays.
-2
Defining Moments is a highly comedic film about that one single moment in time that changes you from who you were to who you'll be.
0
Ten years after the film Home (2009), Yann Arthus-Bertrand looks back, with Legacy, on his life and fifty years of commitment. It's his most personal film. The photographer and director tells the story of nature and man. He also reveals a suffering planet and the ecological damage caused by man. He finally invites us to reconcile with nature and proposes several solutions
0
After graduating from university, with a passion for publishing, Chu Li successfully entered her dream company, Yuan Yue Publishing House. However, a challenging path lies ahead of her. She was shocked to find out that the publishing industry at this time has undergone huge changes. With her sincerity and professionalism, she earned the respect of renowned authors and became their exclusive editor. Chu Li overcomes the obstacles in her career and finally becomes an established editor. Renowned author Zhou Chuan is said to be gentle as a jade when he’s really not. The two are immediately at odds but Zhou Chuan later discovers that Chu Li is his online friend Monkey. She also discovers that her close online friend, "L Jun" is Zhou Chuan.
3
After getting dumped for the 11th time in a row, Frankie discovers that she has a "loser in love" gene, which predisposes her to chronic failure and rejection for the rest of her life. She decides to embark on a quest to change her romantic future.
-3
A “Dark Web” thumb drive reveals footage of three American filmmakers in rural Quebec researching a historic child murder case. After witnessing several disturbing paranormal occurrences, they attempt to communicate with the spirit of the child.
-3
Is it possible to disappear without a trace in 2021? Ten celebrities face the impossible task: submerging for 10 days. Chased by professional investigators with only little money to live on. Who remains undetected?
-1
Jen is single and looking to find her match with online dating. She connects with Mike, who appears handsome and charming. But some things are too good to be true, and all is not what it seems. When he becomes aggressive Jen pushes away and tries to avoid him, however Mike has other ideas.
2
An inquisitive spaceship computer tasked with overseeing a safe voyage must cultivate a deeper sense of humanity in order to be effective amid the spread of cabin fever.
1
An ad agency executive takes shelter at an old man's home in mountains amid a dangerous snow storm, but soon finds himself trapped with no way out when the man and his clan of veterans hook him for a game of crime and punishment.
-3
Alison, a down-on-her-luck young professional, spends her evenings trying to make ends meet as a rideshare driver. Wrapping her shift, she decides to take on one last passenger — only to find herself in unexpected danger when she discovers the mysterious stranger is not what he appears to be. Through a twisted turn of events, Alison must turn to her enigmatic passenger for help and is now stuck with him. In over her head, Alison must fight to get through the night covering her tracks, avoiding the police, and discovering who her inscrutable passenger truly is.
-6
A teenage girl, songwriter-singer Chloe, reluctantly enters a Christian University and then finds she must face the mountains that are holding her back and in God who can move them.
-1
Opportunist and liar, Joseph Watkins, puts on a play at a theatre with a murderous past to impress, Virginia, an actor on the verge of leaving town. While evading two detectives and to the alarm of his stage manager, Joseph becomes obsessed with the spirit of the theatre and begins killing those who get in his way.
-3
Drowning in the depths of depression and sadness, burning with anger, and chained down by alcoholism, Jonathan couldn’t do it anymore. After the loss of his father as a young boy, facing countless horrific death scenes in the line of duty, and the death of his son, Jonathan turned to the world for answers — finding only darkness. Faced with the threat of losing all that is left to him, Jonathan turns to faith and finds hope and redemption.
-10
Veronica experiences seven years of her future over the course of one week.
0
After a new part store opens in town that sends him out of business, the former town handyman takes revenge on the new owner's son and all of his out of town friends.
-1
A secret government agency who recruits the most hazardous horror icons to battle a biblical force.
-1
Two Philadelphia rappers, Maurquis Boone and Richard Harris get framed by an overzealous police officer. The duo are sent to prison and forced to fight the unjust prison system from the inside.
-4
A late-night DJ at the hottest radio station in Atlanta struggles to find his way back to the top after being dumped live on-air. In his journey to revive his career, he meets a woman that once called his show seeking love advice, and that is where things begin to tangle.
1
A female talent scout takes a down-on-his-luck construction worker under her wing and helps him rise to his potential as a singer/songwriter.
1
Erica Carter is looking forward to a relaxing Family Reunion on the 4th of July, when she discovers that the hosts of the event (her parents) are stuck out of town. It's up to Erica and her crazy aunt and uncle to step up and save the day.
-2
Upon learning their employer is transferring an unmarried person to Alaska, coworkers Rika and Takuya decide to tie the knot in order to dodge a bullet.
0
Tempt Raja is a Telugu movie starring Veernala Rama Krishna Rao, Divya Rao and Aasma in prominent roles. It is a comedy drama movie directed by Veernala Rama Krishna Rao with T. Shankar as a musician, forming part of the crew.
2
An inspiring story about an orphan boy from the streets of Dongri, who grows up to become a local goon of his area and how his life changes after he meets the young and compassionate Ananya, who guides him towards the right path and makes him realize his true calling i.e boxing.
1
The inspiring story of four Zimbabwean men who form their country’s first Wine Tasting Olympics team and the mission that drives them to compete.
1
In the debut movie from Griselda Films, Hunter comes home from prison and attempts to get his life on the right track. Will he succeed or be dragged back into his criminal past? He is, as the title suggests, conflicted. And Michael Rapaport is in a scene.
-2
A group of friends are stalked by a family of killers on a vintage cruise ship.
-1
Brimstone Incorporated features three ghoulish tales of terror and a wraparound, the latter centering around a law firm that serves as the gateway to Hell. Stories include Mama's Boy, First Date and Skunk Weed,
-4
The Spider Queen teams up with a mysterious, shadowy villain to collect powerful artifacts in order to defeat MK and his legendary teacher Monkey King.
1
In a distant future, an archaeologist must use ancient technology in hopes of finding a way to fight back an army of alien attackers and escape the planet.
0
SMASH is a one-of-a-kind sleep away camp located in Germany where four amazing kids- STREAK (France), ROCKET (South Africa), FLARE (Italy) and VITÓRIA (Brazil), with their pups, are preparing to become the next generation of superheroes.
-1
Part of the 12 Western feature films to be made in 12 months during 2020, this film tells the story of Texas Red, an African-American man who was hunted by hundreds through the Winter wilderness of Mississippi.
0
High school senior Wally Banks sells knives door to door and gets trapped in a man's house.
-2
Encompasses the journey of two engineering friends who go on a new adventure in the farming industry.
0
Follow the journey of grassroots innovators dedicated to fighting some of today's most pressing sustainability issues. Through actions, big and small, everyday change-makers are tackling local problems and inspiring their communities with ingenuity, resilience and vision. Whether it's a solar-powered car built from recycled materials by a self-taught engineer to combat air pollution or a line of cleaning products made from food waste by someone with no chemistry training, grassroots solutions are setting the planet on a more sustainable path. But for a real breakthrough, governments, global institutions and the private sector must recognize these innovators and actively seek out their ideas. From the streets of Baku to a farming community in the Andes and the mountains of Northern India, our documentary follows five innovators on their quest for real, actionable change. Their journey to innovation is never simple-how do you keep going when even your husband doesn't believe in your idea?-but the power of their vision keeps them going. Is the world ready to finally listen to them and change the way it handles and solves global problems?
4
It's a cut down version of a movie called Cam Girls.  Three friends, frustrated by being forced to stay at home during lockdown, find their love lives under pressure from living in isolation. With human contact only through their phones and computers, they struggle to adapt to a new way of living and loving.
-1
A moral discussion between sexes arises when an aspiring photographer secretly takes pictures of his barely dressed neighbour in the search for his artistic expression.
0
This November 25, enjoy Felipe Avello's stand-up, in which he recounts the experience of what happens to a person when they turn 40: they no longer want to hesitate, they just want to rest.
1
When firefighters form a motorcycle club to cope with the effects of PTSD.
0
A mysterious young shaman, on the run protecting a secret gift, joins hands with a seasoned city cop to hunt down a dangerous figure from his dark past. But when he falls for the cop's young daughter, he is torn between duty and love.
-2
David Van Owen moves into a mysterious house and discovers a box buried in his backyard, filled with 3 million dollars and a fresh corpse. David hides the money in the house, only to be stalked by the buried body.
0
Sid, a perennial kid who spends his days playing video games and selling weed, is about to be evicted. Desperate to change his life, he enlists his gaming buddy Logan in a dangerous, harebrained scheme involving the livestream of a self-burial video. Despite a near-death experience when the self-burial misfires, it seems Sid's luck is finally on the upswing, with a financial windfall -- and even a romance -- in his future.
-1
A group of high school Seniors juggle between old loves and new flings on the shores of a beautiful Italian town.
2
German comedians teach celebrities how to be funny and host their first stand-up.
-1
It's election time in Dogtown and longtime Mayor Jack Russel has his nose fixed on a fourth term. But Barney Lockjaw plots to take over the junkyard. Will Dogtown stop Barney Lockjaws before it's too late? Find out in Dogtown 2.
-2
A couple from East Tennessee goes on a three day hike in the Great Smoky Mountains. The fun starts to dissipate when they start finding evidence of possible criminal activity scattered throughout the trails, and the deeper they plunge into the wilderness, the more they feel like they are being watched. Things take a turn for the worse when the couple runs into a trio of intimidating strangers. Their intentions are unclear, and the couple tries everything to escape the woods before violence ensues with their new adversaries. Eventually, another source of terror reveals itself, building up to the final fight between good and evil.
-4
What do you do, who do you turn to when you suspect your significant other of cheating? That's the question that plagued the mind of small town business owner Daniel. Fed up with the lack of affection Daniel decides to take matters into his own hands.
-1
Archie is a God on a mission to ensure that true love always wins. Or, short of that, that someone is going to die trying. Not that he particularly cares which outcome it is. That's Archie's "Bad Cupid" approach to romance and beware anyone who gets in his way, especially anyone he's actually trying to help.
-1
A young boy, Teddy Rogers, is devastated by a tragic accident and taken from his family to pay a penance which forces him into a life of hard labor. Four years later he escapes to the town of Maysville, where he finds love and a hopeful future, but is soon haunted--and hunted--by his past. Teddy must begin to forgive himself and challenge the demons that pursue him in order to find the life he so desperately desires.
-3
A film that skillfully melds the worlds of narrative feature and documentary to capture this portrait of a broken man obsessively pursuing personal and professional redemption in a world where many of those close to him think he's crazy.
-1
As she struggles to escape rural poverty with her daughter, a loving mother suspects those closest to them of turning on her.
-2
In this 6-hour long comedy duel, the comedians who give in to the laughs get eliminated one by one, and the last one who manages to keep a straight face is crowned 'Last One Laughing'
0
Haylee, a local EMT suffering from PTSD, spends her days making split second decisions with lives that hang in the balance. One night on a routine call, she is faced with a moral decision, taking matters into her own hands and mercy kills a young woman. Now, falling deeper into a rabbit hole, she gets caught up in a world of underground drugs and a sadistic killer who’s made her his next victim.
-5
Alex comes across Lucias life, two youngsters who start discovering each other, the escape velocity will determine their future.Paz y Jorge see how their relationship is fading and they don't know what to do, hyperbola, whose bodies will never go back to their point of origin. Albert and Irene meet after some decades of separation, parabola whose trajectories, it seemed, were not going to join again. Love is Not What It Used to Be is the story of the physical law of divergent trajectories.
0
Suspecting her long time boyfriend of cheating on her again, Olivia has had enough and is ready to cut ties. As she embarks on the single life yet again, an old college flame, Corey, reinters her life unexpectedly. Corey, an NFL player is ready to settle down and find 'the one' has Olivia in his sights and will do whatever it takes to make her his lady. Realizing she is not ready to rekindle a relationship with him she slows things down so she can focus on herself and her family. Who is sleeping with who and when are the plaguing questions throughout the movie. Twists and turns will ultimately prove we don't know as much as we think we know. Through laughs and tears this movie will touch on life, family, friends and ties that bond.
1
A family film about the journey or life and the beauty of second chances.
1
A tempestuous romantic drama in seven vignettes that chronicles an interracial marriage, telling a story of turmoil and tenderness as two people try to make their relationship last.
-1
A mother recently confined to a wheelchair moves into her daughter’s home, but suggestions that the house is haunted and strange behavior by her daughter’s boyfriend send her on a journey into madness.
-3
An exotic dancer performs community service by teaching a group of kids how to dance hip hop.
0
A car accident happened. One died, and the other went into a coma. The case was concluded as the dead one’s fault. Being guilt-ridden, the dead man’s wife, Hee-ju struggles to move forward. One day, she learns that the victim tried to kill himself before the accident. Suspecting that the accident might be caused by the victim on purpose, she starts to reinvestigate the case all over again.
-6
On the 4th of July, a serial killer has a moral crisis when he discovers that his latest victim is a high-school student; simultaneously, a rookie cop and a seasoned detective race against the clock to save her life.
-1
Kai Greene is one of the biggest modern day legends in bodybuilding both on and off the stage. He's an athlete, an artist, an actor, and an entrepreneur. But his journey to greatness first started in childhood - when he chose bodybuilding as a form of survival. Now witness Kai Greene’s story of survival and climb to success in the first ever all-access documentary chronicling his life and career into the sport of bodybuilding and beyond.
5
Nick Romano must navigate through murder, violence, and betrayal in order to maintain his place as the top mobster in Miami.
-2
What do a young graffiti artist, a middle-aged widow, a teenage poet, a vampire, and two lovers stuck in separate timelines have in common? Though their paths don't always cross, their lives unfold in Brooklyn's vibrantly multicultural neighborhood of Bushwick, which becomes a distinctive character that ties together these six diverse stories about the power of unconditional love.
4
After a robbery goes wrong, Frank and Vince break into a home when two kids mistake them for their babysitters. Hoping to make them fall asleep so they can make their getaway, Frank reads stories from a magic book that he stole during the robbery, taking them to the enchanted world of Arctic Friends. The two thieves have to endure the kid’s hijinks as they make various absurd attempts to escape.
-4

0
An examination of one of the biggest scandals in the history of British education.
-1
A cop from Chennai sets out to nab a dreaded drug racket based out of Malaysia.
0
After months of exhausting trench warfare, most of Major Belyaev's battalion was destroyed. The area is ruled by German aces snipers. Hope for replenishment collapses when the convoy, in which the Soviet snipers were traveling, falls under a German airstrike. A handful of soldiers and a young hunter from Yakutia, Yegor Cheerin, survive.
-2
Two strangers struggle to overcome insurmountable odds when they are suddenly faced with unimaginable powers and an unbreakable connection.
-4
In a near-future post apocalyptic world, a father must cross a dangerous landscape to reunite with his wife and daughter.
-2
A broken man finds the one thing he can't live without only to lose it. He can't bring back the woman he loves, but he can cover the ground with the blood of his enemy.
-2
Two young women from both sides of the Civil War volunteer as battlefield nurses, facing down scornful commanders and murderous war criminals to accomplish their hazardous duty.
-3
A sheep farmer whose remote and quiet life is disturbed by the arrival of both his lover and his twin sister.
1
Ravi Teja and Anupama Parameswaran are playing the main lead roles where Ravi Teja will be seen as college lecturer and Anupama as will be seen as his student in this movie.
1
A small-town electrician with anger issues gets extreme therapy from a noted psychiatrist, Dr. Eric Peselowe, but is soon framed for a robbery and then a murder. Even with the help of Dr. Peselowe's female assistant Bonnie, he soon learns to trust no one but himself and becomes entrapped in a web of deceit, greed, and corruption.
-5
When a heavy storm threatens the city of New York, two complete strangers –a cynical documentary filmmaker from Spain and an idealist app programmer– find themselves sharing shelter, questioning each other’s understanding of life, happiness and love.
0
When Paaru sees a fairy tale she heard from from a stranger as a child painted across the walls of a costal town, she goes in search of the man who painted it - Maara.
-1
"Rookie Season" straps the viewer firmly into the driver's seat as it follows the highs and lows of Rebel Rock Racing during their inaugural IMSA season. A deeply moving portrait of the pursuit of one's dream.
0
Veteran thief Sammy Silver  struggles to trade his criminal ways for married life after he falls in love with a single mother.
-2
Four tweens develop a life-long friendship when they discover an injured mystical sea creature. They bravely go to extreme lengths to protect her from selfish scoundrels set on capturing her and even harming her for their own profit.
-1
A woman's inheritance leads her to Eastern Europe to uncover a dark and disturbing family secret.
-1
One brutal home invasion, five murders, two detectives and No Witnesses.
-2
Following a nuclear power plant meltdown, a nearby village known as Nosferatu Village, became radiated, and subsequently abandoned for more than a decade. The year is 1984, and the public are now permitted to return, and a small group come back to their family home to discover a radiated bat living in their attic. The family must survive the night to escape, but the monster has other plans as they soon begin to find themselves infected with a deadly plague that will kill them if the beast doesn't. Waiting for sun to rise, they must figure a way to survive the night, battling against the creature.
-6
An out of work hitman finds employment as a janitor at the local elementary school.
1
UFO sightings have been a regular world wide phenomenon for decades. Researchers of UFOs have noticed a connection with UFO sightings around Volcanic hot spots across Latin America. Join Stephen Bassett and Jaime Maussan as they discuss a history of sightings. Jaime has been a news journalist in Mexico for over 25 years and Stephen Bassett has been fighting for political disclosure UFOs.
1
Story about a IT professional settled in US and married to an Indian girl. After marriage both living a happily ever after life but things changed when his ex-fiancé ruined his marriage life.
0
A final drug deal go wrong landing Demarco Beasley in jail with no one else to turn so he turns to his girlfriend Taji adds dealing drugs already full plate.
-1
A woman's life turns into a living nightmare when she takes in a roommate who makes wigs from human hair.
-1
Athletes who have struggled for acceptance due to race, religion, sexual orientation, and other prejudices, endure conflict in their quest to level the playing field.
-3
Over time and during conquest, "comida casera," home cooking of Texas Mexican families sustained indigenous identity and memory. Cooking deer, cactus and tortillas, women led the cultural resistance against colonization. This road movie weaves through Texas cities, names the racism that erased Native American history. It celebrates a new type of encounter, one with a table where All are welcome.
0
This feature length HD documentary of Queen Elizabeth II's reign is packed with rare archive footage and expert commentary from Robert Lacy, Nicholas Owen, Tim Heald, Ingrid Seward, Gyles Brandreth.
0
Every 4 years of group of hometown friends get together, catch-up, have a few laughs and take part in a talent show that stems back hundreds of years.
1
Bheeman realizes the inconvenience caused by an old pathway when he had to take his mother to the hospital. His life takes an interesting turn when he decides to broaden the pathway.
0
An unprofessional documentary film crew follows five amateur runners as they train for Devil's Canyon Marathon, an offbeat desert race organized by Ed Clap, a desperate shoe store owner pulling out all the stops to celebrate its fifteenth year.
-2
Interesting story about the series of events that transpire when one member of a large family purchases a scooter and a couple of his friends take it for a ride.
1
A paranormal investigation YouTube channel is getting ready to shut down if they don't have a video that goes viral in time. In this last ditch attempt, a long-time mystery is solved.
-1
Unable to find justice for her sister, who killed herself after being raped a decade ago, avenging angel Zola Kunene lures the man she believes responsible to an empty apartment - She ties him up and puts on a show-trial, live-streamed on social-media. The public will be judge and jury.Should it be necessary, Zola will be the executioner.
-3
Feel good comedy drama following two friends' journey through life changing events. Cancer survivors Ben and Mark's friendship is tested when a piece of news forces them to change their perspectives. Love, friendship and streaking.
2
After the death of their mother, two destitute brothers rob a service station in an attempt to pay off the mortgage on their family home. But a time lock on the safe containing the money forces the would-be thieves to start taking hostages, as their simple plan spirals out of control.
-2
Comedian/actor Helen Hong spent Covid quarantine trying to date doomsday preppers, stealing her dog's Xanax, and trying to teach the world that China is not the only country in Asia. She also had a baby... kind of. (But don't tell her Korean parents). Helen's special was taped at the Tribeca Festival in NY, one of the first events to re-open the city post-lockdown.
-2
The drug cartels are putting a financial strangle hold on a small Texas town, forcing a Vietnam vet to lose his job at a local garage. He soon learns about one hundred thousand dollars buried by the cartel in a false grave.
-3
A deadly virus is sweeping the country and one man may hold the key to defeating it - if he can survive.
0
An anti-social sound designer with retrograde amnesia discovers a string of murders in his building but when the carnage triggers memories of his mysterious past, he races to stop the killer before losing those he loves most.
-5
In the ancient dance village Natyam, Sitara attempts to resurrect her Guru's forgotten masterpiece choreography and discovers the true power and purpose of Indian Classical Dance. To dance is to tell a story that can change our world.
1
Jacob is quickly digressing into a state of insanity as Davis and Michael are confronted with a new issue: global disease, which only makes matters worse. In a race against the clock, they see the world fade around them, and letters and envelopes seem to be all that’s left for mankind.
-3
Seetharam, a cop, gets transferred to a remote village in Shimoga Dist Aanegadde finds himself in middle of a bunch of smart yet cruel thieves. The day he takes charge his house gets robbed. Matter of dignity and personal revenge, intense investigation then begins.
-1
An invitation to a mysterious theatre piece, "The Show," sends four best friends down a rabbit hole of mistrust and madness as they try to figure out who are the actors, who is the audience, who is doing this to them, and why.
-2
The bullied "three no girls" and the cynical second-generation school bully live in two very different families. A soul exchange made them realize that the other party seemed to be able to live life as they dreamed easily!
-2
An exploration into the fate of the post-modern man.
0
Yaar Mera Titliaan Warga is the story of a couple who, after 6 years of marriage, are bored with each other. To spice things up, both of them open fake Facebook accounts. But things go sideways when, accidentally, they befriend each other on FB. This "Comedy of Errors" takes them on a humorous as well as emotional ride.
-1
A basic white girl finds herself in the middle of the zombie apocalypse, forcing her to decide what is more important, survival or Starbucks? When she meets a group of survivors with conflicting personalities, tempers fly. In the apocalypse, humans pose more of a threat than the undead.
-3
An examination of the Black Power movement in the late 1960s in the UK, surveying both the individuals and the cultural forces that defined the era.  At the heart of the documentary is a series of astonishing interviews with past activists, many of whom are speaking for the first time about what it was really like to be involved in the British Black Power movement, bringing to life one of the key cultural revolutions in the history of the nation.
2
A pizza delivery girl discovers her neighbor is moving into a sorority house of vampires. It's a race against the clock to stop her crush from being sacrificed at midnight.
-2
In this daring psychological thriller, musician Sofia must cope with the stress and isolation of quarantine after her husband is infected with COVID-19. Sofia's loneliness leads to confusion, fear, and paranoia as her grip on reality falters.
-6
This movie is about the life of a middle class, widowed father, Shrikant that takes an unexpected turn when his seven year old Son, Mandar collapses and is referred to Jansanjeevani Hospital for a detailed diagnosis. Things take a turn when Mandar starts talking to a mysterious nurse which he claims to be staying in the abandoned part of the hospital.
-3
Follows Shera, who on a journey to find the love of his life, meets Gulab. Both get together but Gulab ends up pregnant. She is unsure about bearing the child but he wants to keep it. The unlikely couple find themselves in a tight spot.
-1
Guided by her grandfather's WWII-era diary, Sora searches for a mysterious trove in the wilderness of her hometown. Meanwhile, a mysterious mute and backward-walking homeless man wanders into town who may be the catalyst to put her shattered relationship with her father back together.
-2
Vijay Modi, a flamboyant billionaire. He lives a luxurious lifestyle surrounded by beautiful women and enjoys every bit to the core. Despite having it all, he wants to fulfill his three desires in life - to earn popularity, make a movie and become a successful politician. Proceedings turn interesting towards the latter part of the promo where cops enter into the scene and what unfolds next forms the crux of the plot.
4
In order to cheer up recently divorced Chloe, her friend, Sam gives her a giant teddy bear, Bearry. As Chloe confides her wishes to Bearry, people close to her go missing or die. Is Chloe a murderer, is it her stalker? or is it Bearry?
-1
A high school kid throws a party under strange circumstances.
-1
Good news? A new online game that deposits huge amounts of cash every time a player completes a level. Bad news? It's a labyrinth and if you don't complete the game, your loved ones' life will be in danger. Will the local detective team stop it before it's too late?
0
After 8 years, Kristin Baker returns home to her siblings, after receiving news of their mother's death.
-1
Cam Talcutt had the good luck to win a trading post in a card game. Now, he's stuck in the wilderness trying to run it when he learns the freight company who supplies his store won't be coming anymore. Cam is in a bad spot and might have to do bad things to survive.
0
Gandharva, a 7th grade student from a remote village in the Konkan belt of Maharashtra is selected for a National Painting Competition. The winner gets to travel to Spain - Picasso's birthplace - to hone their art. But entering the competition requires a fee that his parents cannot afford. With an ailing mother and a father struggling with debt and alcoholism, the chances of him being able to participate look slim. Gandharva's father Pandurang was once an accomplished stage actor, but his addiction now stands in the way of him performing, which was both his passion and a means to provide for his family. Will Pandurang be able to fight his demons and bring his art back to life - not for himself, but for his son? Picasso is a story about fathers and sons, hope and dreams - of life imitating art, and how art can heal lives.
1
An American athlete is fed up with silver medals, a pro baseball career foiled by injury, and narrowly missing out on the Olympic rowing team. Restless and looking for a win, he discovers a 3,000- mile rowing race. Jason aims to win the race and smash the record for the fastest crossing. Ten days in, two of the four men jump ship mid-Atlantic. Jason limps to the finish line, battered and humbled. One year later, he’s back with a new team. When seasickness and weather threaten his dream again, Jason faces an impossible task: 400 miles in just 5 days to beat the record.
-4
It took an A-list comedy club to pull Phillip Kopczynski out of the Redneck Bars and Honky-Tonks of Northern Idaho and Eastern Washington where he started comedy. Here, he talks about the transition from small town kid to medium city family man. In this uncensored, energetic special he covers growing up with a down syndrome sister, fathering nerds, maintaining a long marriage, and wild crimes that small towns cannot keep their mouth shut about.
-2

0
A little boy from a railway colony strives to bring his modest family a modicum of glory through highly fanciful means while constantly being brought back to reality by his level-headed father.
1
It is a cooking competition series where talented home cooks from different regions of the country have opportunity to showcase their signature dishes and compete to win the national search.
2
A beautiful young woman left blind by a hit-and-run must unmask her attackers before they strike again and lay claim on her $500 million inheritance.
-1
A love tale of a non-expressive couple who happens to fall in love with each other unraveling the hurdles on their paths and what choices they make and the consequences that await in ending up the unexpected situations.
0
The driver for a Baja drug lord/Jefe steals a valuable car. Jefe hires a "bounty hunter" to deliver the driver and car. Many other gunmen are interested in the car and driver.
0
From Rich Froning and Annie Thorisdottir to Mat Fraser and Tia-Clair Toomey - if each new generation of champions sees further than the one before, it's because they stand on the shoulders of giants. When Fraser declared he would retire from competition after the 2020 season, he opened the door to a new wave of challengers. In 2021, new and seasoned competitors marked the 15th year of the Games with 15 events designed to test the limits of human potential and their worthiness to be called the fittest. Amid the surprises, upsets, and staggering displays of incomparable athleticism, Toomey ticked on with consistency and calm like a clock in a thunderstorm, all while shattering records and securing her place as the most unbeatable athlete in CrossFit Games history. At the 2021 Games, we witnessed the return of some of the sport's greats and the rise of the new initiates - those who will carry the mantle of the Fittest on Earth for the next generation.
5
Nine people have been locked down together in a house while trying to make a movie. Unknowingly, one of their group is infected with Covid-19. The next three weeks become a life and death struggle for survival with no help from the outside amidst a global pandemic and national chaos.
-3
Sandra is a very loving and caring sister to her sister Elsa. The story begins when Elsa wants to audition for film stars but doesn't pass, because Elsa's acting is not impressive. However, producers were interested in Elsa's voice and wanted to make her a famous singer. However, in reality Elsa is not good at singing. Precisely Sandra, the older sister who is good at singing. After all, the producers tried hard to make Elsa a singer. So there is a conflict between brother and sister.
4
A mother plays the role of a matchmaker at her 50th birthday celebration to her son and his ex-girlfriend. All hell breaks loose when her son brings his unexpected new fiancé to the party.
-3
Gaza, today. Sixty-year-old fisherman Issa is secretly in love with Siham, a woman who works at the market with her daughter Leila. When he discovers an ancient phallic statue of Apollo in his fishing nets, Issa hides it, not knowing what to do with this mysterious and potent treasure. Yet deep inside, he feels that this discovery will change his life forever. Strangely, his confidence starts to grow and eventually he decides to approach Siham.
2
Returning from a 12-year self-imposed exile in Europe, Shawn Wittig's past begins to catch up with him when he begins an illicit and, possibly, deadly romance with his University Professor.
-3
This comedy special sees Chris Gethard deliver his blend of hard-hitting stand up and storytelling at small venues across the country at the end of 2019, with documentary footage that shows the reality of what life on the road is really like for a touring comedian.
1
Nelisa Vena’s life has never been the same since the death of her sister Anathi. On the last day of their high school careers, she and three friends from a township in East London, South Africa, embark on a life-defining road trip by stealing a taxi and heading to the remote landmark of Hole in the Wall, where Xhosa legend has it you can talk to the dead.
-3
An atheist actress attempts to convert to Judaism to marry the man she loves.
1
Marco is running out of time to find a job before his girlfriend, Dana, has their first baby. He's also losing his mind.
-1
Amira, a 17 year old Palestinian, was conceived with the smuggled sperm of her imprisoned father, Nawar. Although their relationship since birth has been restricted to prison visits, he remains her hero. His absence in her life is overcompensated with love and affection from those surrounding her. But when a failed attempt to conceive another child reveals Nawar's infertility, Amira's world turns upside down.
-1
Through never before-seen archive material, interviews with celebrities, industry insiders, rabid fans and the Kids In The Hall themselves – this documentary tells the wild story of this cult-famous comedy troupe from the 1980s to the present day.
-2
Hitting rock bottom, an aging boxer's (Bo Lawson) rivalry within himself restores his vitality with hopes of retraining to fight for what matters most.
-1
In a dungeon, five people struggle for their survival. Outside this hideout reigns the apocalypse. A group of former soldiers crucify any person they meet to find the source of this epidemic. Are the five people really safe in that place?
-2
This insightful and informative documentary explores the popular world of Mindfulness from the perspective of four people who study and teach it.
2
A fierce Jayamma hails from a well off family but she needs funds for her husband’s heart surgery. Will she manage to get what she seeks?
1
True redemption story of one of the most powerful mob bosses in California history.
2
A docufilm that tells the life of Mahmood between Milan and Egypt, his dearest loved ones, the music, the victories in Sanremo, Eurovision, the European tour, the backstage of the his works. An inner journey that has music as its backbone and where love and absence find their way to coexist. Thanks to his music we explore Alessandro's world, his search for something, which led him to have more than he could dream of and which always accompanies his distant gaze, as if every time he had to go home from a trip or leave. for a new goal.
5
Mark is at first reluctant when aspiring producer Seth and writer Holly want him to help them make a movie about a local serial killer: after all, they might figure out that he is behind them, but figures it could be interesting. However when rivalries, crushes, and outside influence begin to cloud his mind the harder it is to tell if he's in his own story or theirs. And who knows what direction the story will go in next?
-4
In a locked-down NYC, two priests reluctantly open their church doors to parishioners seeking salvation, leading to a series of enchanting encounters with some of the city's sweetest, wildest and weirdest
1
A woman hopes for the reunion of two families caught in the ideological battle between her righteous but hot-headed brother and her law-abiding husband.
2
Bebel and Lucas just want a simple wedding, but the differences between their families make everything seem difficult. Lucas' parents are Umbandists, while Bebel's parents are from a traditional Jewish family. Each family has their own plans and will try to convince the couple of how the ceremony should take place.
-1
A Los Angeles ride share pool turns into a road trip to Paradise, NV for four millennial strangers, each at a crossroads in their lives, who find unexpected connection.
-1
Claire has everything - money, a loving husband and a desired child. But suddenly her life changes. Doubts and lies bring her to the edge of insanity.
-2
An actress confronts her quarter-life crisis by breaking up with New York City and returning home to win back the love of her life.
0
Lisa, a plus-sized African American woman, concludes that her boyfriend broke up with her because of her weight. Now on quarantine lock down and alone, she will now use the next 40 days to try to lose the weight, in hopes of winning him back.
-1
With one single choice, everything changes. One life splits into two realities: one chasing a chance at love, while the other finds solace in music. If one true path is not found, both realities will cease to exist.
1
On an island struck with a sleeping phenomenon, a rogue visitor falls for one of the inhabitants, not realising the personal danger it brings
-4
A pianist pretends to be blind for inspiration, witnesses a murder. He suddenly finds himself in a blind spot with the victim's wife, the murderer. During this ordeal, he loses his eyesight for real. Will his girlfriend believe him?
-6
Rathnakara is an insurance agent living a mundane life with his unapologetically loud mother Saroja. An uncomfortable truth about his life leads him to go on a trail to find his world. What does he learn eventually?
-2
Young pastry chef, Ronnie, dreams of opening her own bakery, but friends, family, and her love life have plans of their own.
1
After five decades of Independence, India's rural landscape still throws up unanswerable questions. Can a love story bring a revolution? Witness this earthy love story set in the early 2000s.
2
A Chinese gold mining camp is over-run by a group of outlaws. One of the outlaws has to question his morals after meeting the woman of his dreams.
-1
A group of friends try to find balance in their rocky relationships as they deal with love, loss, betrayal and trust.
-1
A dead father's recently discovered radio sends his adult son on a twisting journey that slowly unravels a dark, unimaginable secret.
-4
When a young woman's boyfriend dumps her after discovering she's pregnant, her mischievous co-worker comes up with a scheme to get back at him.
-2
Senior Entourage is a wild, wacky "Mockumentary" comedy featuring a zany, multi-racial cast ranging in age from 9 to 90. It's "Seinfeld for seniors" starring Ed Asner, Helen Reddy, Charlie Robinson, Marion Ross and Mark Rydell
-1
The life of Shaji, a laid-back youngster, turns upside down when someone from his past pays him a visit.
0
Death to the summer deals with the loss of dreams and innocence, where small battles like the heartbreak of first love or the stage fright before your first gig, carry such a heavy burden on its characters and their chaotic world. It's a story told from a teenager's point of view, in a violent and dying city where there's still room for hope.
-5
Capturing the generational spectrum with a right pinch of raw humor, he is all set to do VANSH KA NAASH... Wait what? But Papa toh kehte hai bada naam karega? Sumit Sourav takes the dig on parenting, purpose of life, and much more as he hits the stage with his unflinching comedy and truth bombs.
0
Set to the music of NIKI's album 'Nicole', a young woman experiences the aches and elations of her first love.
1
Chinese guy is murdered, so all of his family stars to look for the killer and then gets to know there is some thing more to the reason of killing with mysterious out come unraveling with time.
-3
Invisible History sheds light on the invisible history of plantations and the enslaved in North Florida. Using visually compelling imagery it explores the history of a people who contributed so much to what the region is today. While this project focuses on northern Florida, it is a microcosm of the idea of how slavery shaped all of America. The project benefited from the expertise of faculty from Florida State University and Florida A&M University, as well as the support of local museums and archival resources. The documentary represents a true coming together of community to support the telling of our shared history.
1
Charlie, a anthropophobiac moves to China to fight his fear. As he only exits his apartment at night, he develops a unique relationship with a Chinese girl who is going through a rough patch in life.
-2
A collection of terrifying tales from America's most haunted school - Middleton High.
0
A naive and uneducated youngster, who earns living by beekeeping in a forest, gets the shock of his life when his wife is diagnosed with a rare disease. The lack of documents to prove his identity makes things worse for him
-4
Follow Maija DiGiorgio as she examines the complexities of what it means to be a mixed race, multicultural woman. Through her witty nature, she tackles dating, family, and daily observations in a dialect any culture can understand.
1
A provocative character driven story that explores the obsessions, betrayals and psychosis of online dating. The movie is a modern day comedy-thriller that exposes our deepest desires, fears and vulnerabilities through online dating.
-1
Relationships formed to deceive someone does not last long. The movie theme shows friends cheating on each other in friendship. Each friend has their own reasons for cheating on the other friend. Jimmy, Makhan, Pali were friends for a long time but what will be the reason that all friends become enemies to each other.
-4
Held at Pia Arena MM on August 14th and 15th, Perfume LIVE 2021 [polgyon wave] was available on Amazon Prime Video from December 24th 2021.
1
Gordon (Mike Grogan) joins forces with an unlikely ally (KK Brunson) to fight his half-sister (Renata Bresciani) for the family inheritance and his rightful place among South Florida's curling elite.
1
A couple struggling in their marriage head out of town for the weekend and soon face unexpected visitors who challenge them at every turn.
-2
Follows America's dogged stand-up scion Sam Tallent through 13 different venues across the US from sold-out theaters to house parties and rib-joints, all the while COVID barrels down on the nation in early 2020. This is the last comedy special filmed before the country went into lockdown.
-1
Fueled by determination and love, Elite Ranger Drustan Lorne embarks on a journey to rescue his captured daughter and save Adrasil from the forces of darkness.
1
A young couple retreat to a glass house for two weeks of celibate self-improvement but are disturbed by a lost hiker. As the stranger reveals more of himself, their feelings move from pity to revulsion and they must make a decision about what to do with him. But when the crisis is seemingly settled, strange forces compel all three to replay this scenario again.
-8
Jet, Bria and Cub are determined to become legends in the Akedo Championships. They do their best to level up their skills to reach their goal.
2
Kshamisi Nimma Katheyalli Hanavilla is a romantic entertainer movie directed by Vinayak Kodsara
1

0
Loving Amanda is a romantic story that tells the story of a young woman's journey from brokenness towards love, healing and redemption. Loving Amanda, a heartfelt romantic screen adaptation of the best-selling novel of the same title by author.
8
This story is about prevalent caste problem, economical inequality & degraded family values among villages in India.
-1
A disgraced monster movie actor decides to make his magnum opus but needs a victim to do it.
-2
Join comedian and writer Katrina Davis as she shares her observations about coffee shop hygiene, the embalming process, and the freedom that comes with discovering your dumbest self. Let the discomfort of flawed humanity envelop you in laughs as you relate to someone raised in Florida and realize they're just like you.
0
After tragic events, a man and his dog seek solitude in the Oregon Columbia Gorge by hiking to the nations second highest waterfall. Winner for best feature film at Lift Off Pinewood Studios film festival Jan 2021.
1
Fei Fei, a married Caucasian western woman meets Bai Yu, a Chinese blind masseur. When they come together in an intense love affair they find the demons they've created implode in a clash of violent impulses.
-5
Explore the lives of the residents of Daagdi Chaawl, a notorious slum in Mumbai, as they attempt to rebuild after the destruction of their homes.
-2
A documentary that goes over a historical year for Atlético Madrid until they became the champions of La Liga. Told from the inside with unseen footage and with the testimonies of the stars. With the special participation of Leiva and Joaquín Sabina, you will witness the birth of the song “Partido a Partido”.
1
From myths collected from Amis (indigenous people of Taiwan), the story is about the cause of environmental issues and how the gods began to no longer bless this land. With the arrival of the final rain, the gods depart one-by-one, and the humans yearn for them. It’s a story that unfolds in the days before the final judgement day, the love between gods and people.
0
Loss and Love in the storm of Guitars and Broken Glass that was the mid 00's UK Indie Music Scene
-1
A manic depressed chocolatier after losing his wife in a tragic accident meets an enigmatic mysterious schizophrenic, and her beautifully abusive twin with a horribly dark past.
-6
Set in a rough neighborhood of Istanbul, where hip-hop subculture has become the voice of the youth, When I’m Done Dying follows Fehmi, a 19-year-old aspiring rapper. Fehmi is addicted to bonzai, a cheap and deadly drug that jeopardizes his dreams of making a rap album. When Fehmi crosses paths with Devin, an affluent DJ, they fall hard for each other and find the inspiration they were lacking. But the flaming love of this unlikely duo soon becomes toxic. Fehmi’s rap dreams drift further away but he takes refuge in his passion for music and keeps chasing.
-6
An undercover cop is released from jail after being wrongfully convicted for uncovering a conspiracy that led to the death of hundreds of people living with HIV.
-1
DeAndrea, Nola, Daisy, and Crystal dubbed "The Bag Girls", successful streak of robberies on drug dealers reach its peak. Their plan to exit the operation to resume normal lives is disrupted by a notorious Columbian Cartel Queen's relentless pursuit for revenge.
-2
The story of Ba Sang – the second of the 4 noisy siblings: Giau, Sang, Phu, Quy. Ba Sang is a meddler, “too” kind and always sacrifice for others despite they want it or not. Quan – Ba Sang’s son is a modern young Youtuber.
0
A struggling actor begins to question his sanity after he finds himself repeatedly trapped in a nightmare that is eerily similar to a film he is auditioning for.
-3
Samson Crouppen took the power into his own hands and Produced and edited his own special. Filmed at the historical Bevo Mill in St. Louis, Mo. Samson shares stories about his family life living as a comic in LA for the last 20 years. This is the first stand up special to be minted as an NFT. This is dedicated to all the comics who didn’t make it. This is for you. I love you all, this is “Proof I was Here”
2
A serial killer gets hitched to a billionaire with the sole aim of looting her money. However, the presence of a man-eating tiger at the place they reside in becomes an obstacle to him.
-2
A short boy is in love with a tall girl for which he faces a lot of criticism from her family and friends. Eventually, they marry and he wins everyone's heart with his good character.
2
Chronicles the struggles of a family trying to stay alive in the wake of a deadly and catastrophic virus that has brought America to its knees. In what was once a thriving American suburb that has now devolved into a lawless world of roaming gangs and dwindling resources, the family is discovered and forced to fight back in order to survive.
-5
A successful commercial film director finds a reel that changes his life forever. Will he finally make a movie that touches people’s hearts?
1
Four door-to-door salesmen struggle to get by while pursuing an analog profession in a digital world. They unwittingly begin selling propaganda for a cult, whose popularity sweeps the city, leaving the salesmen as the only people who can stop it.
-2
A young woman is blessed with a beautiful voice but is restrained to sing due to the society where she lives in. Even her new husband warns her that if she tries to sing again, he will drop her back at her parent's house.
1
Criminalist Marta Colombo investigates the murder of a well-known and hated businessman. There are several suspects. Will the truth come out, what will justice do?
-2
Mechanic Jayakrishnan gets into a big land deal, as a good business investment, but ends up faced with life-changing situations in making the deal happen.
1
Two estranged sisters amid tragedy unlock the truth to family secrets on a self-reflecting journey to see the Great American Eclipse.
-1
Selfie Mummy Googl Daddy is a Kannada movie starring Srujan Lokesh, Meghana Raj and Achyuth Kumar in prominent roles. It is a drama directed by Madhu Chandra with Shamanth as musician, forming part of the crew.
1
Toddrick Frank, a hustler, living his life until he runs into his ex-girlfriend, Quanita's baby daddy, Tyrone. Afraid for his life, Frank sets out to run out of town until he receives a call from Sage Lee to kill her husband.
-3
Traumatized by her past, Christmas is not at the top of Sarah's list this time of year however waltzing through life's unexpected emergencies she is taught the Christmas Dance.
-2
One successful writer, one eccentric Wall Streeter, one feeling ex con turned businessman, a witty literary agent and a sensitive woman - all of a certain age and then some -- try to figure out this thing called love.
3
Legend has it that on July 7, each 100 years in "enchanted lake", a mysterious girl will test her charms to help the people of good heart and punish people corrupt.
0
A quirky dramedy about a group of diverse fighters with special abilities who once saved the world from a great evil, who then reunite years later while coping with the mundane existential ennui of crumbling marriages, unfulfilling jobs, and drug abuse.
-3
When a team of scientists on the verge of a medical breakthrough are mysteriously murdered, two agents must protect the remaining survivor while trying to unravel the plot behind the assassinations.
0
In The Struggle II, Darnell (played by Ronrico Albright) get released from jail to try and take over his territory but numerous of things go wrong in this situation. Now that Tracey has left...
-2
  Old Monk is Kannada means "Hale Sanyasi". Naaradha disturbs Krishna when he's been making love. Hence Krishna punishes Naarada to live on earth as a normal human being. What happens after Naaradha lands on earth is a plot watch for.
1
GRIMY is the story of an undercover officer named Rogers. (Maurandis Berger) He is the only one who can get in close enough to these criminals that terrorize neighborhoods with drugs and violence. He is often assigned to neighborhoods that he grew up in, but he finds himself becoming part of the problem as he almost becomes what he's trying to bring down. Now Officer Rogers must make a choice of which side he will take, his oath or his feelings.
-2
A seductive vampire named Sarafina and military hero Willem Stone must protect the only human-vampire hybrid from dangerous mercenaries who seek the secrets of her immortality.
1
Shiva, a ruffian, is the terror of his area in many ways, but still has a heart of gold. He has just one wish, for his mother to love him wholly like the way he does.
1
Dawood, Gangsters, Mayyat and Rahul, these are a few of the many things stand-up comedian Sumaira Shaikh talks about in her first stand-up special. Born in the gullies of Mumbai 9, Sumaira’s dark observations on what is your rank in your friend's group, how tsunamis are the best relaxation videos, and how her father once met Dawood, will leave you in splits and make you uncomfortable.
-3
Maya, a news reporter by profession, meets Rahul at a party. Rahul finds her attractive and approached her to make a relationship. Maya also shows interest but the story takes a turn when Maya kills Rahul. Maya reports the murder on the news channel even before the police arrive at a crime scene. Is she doing this just to get a promotion in her job?
-2
Rosie's Rules is an animated preschool comedy series that follows the adventures of Rosie Fuentes, an inquisitive and hilarious 5-year-old girl just starting to learn about the wow-mazing world beyond her family walls. And she is ready to learn it all...by figuring it out herself.
2
In this haunting drama, a night of reckless drinking compels a car mechanic to forcibly detox his best friend -- whatever the cost.
-1
Santya is an aggressive young chap, who is a matter of worry and fear for his family and society. He is good for nothing. However, a murder in the neighborhood poses a serious challenge of identity before him.
-3
Aahuti a metaphysics student from Delhi, shifts to Mumbai to be close to her fiancee, what happens next when she discovers the apartment she lives in is haunted.
0
Siddhu, the son of a rich businessman fails in his startup and loses hopes in success. Vennela, a naive small-town girl who is already engaged to an NRI comes to Hyderabad and understands that this marriage would limit her to being just a housewife. She decides to have a successful career before marriage and in the process, meets Siddhu. A mutually enlightening journey gets both of them closer.
-1
Through five episodes we travel through more than 30 years of success (1984-2019). From the formation of the group in their teenage years to their farewell. The whole family has its generational change. Marc Gasol, Ricky Rubio, Rudy Fernández, Sergio Llull, Víctor Claver and the Hernangómez family will tell the story of their evolution until they finally take over the baton from The Family.
1
Twelve-year-old Charlotte commits the unthinkable when she stands up to Brenda the bully late one night.
-2
Fatherhood is a massive responsibility, however being a girl’s father is still worry able thing in society. People around that particular person always insecure him about his daughter’s marriage, security, so on. Our story is like same person, who is surrounded by such kind of character, who always divert our main character’s (father) thoughts, to doubt on his own daughter and reminds inequality factor of girls. But daughters prove everyone wrong and show that girls are not less than anyone. They are more capable than boys in society. The whole journey of father and daughter’s relationship shown in this movie, which will eventually show that, in present time women are not less than men.
-3
"Twenty Pearls" tells a powerful story of sisterhood. In 1908, nine Black women enrolled at Howard University made one decision that would change the course of history. These college students created Alpha Kappa Alpha Sorority, Incorporated.
1
When the Confederacy can no longer finance massive armies, Wade Hampton III, using his own money started, financed, and supplied his own infantry, cavalry, and artillery to help fight the war.
0
After experiencing a mass shooting that took his wife's life, Nolan now suffers Agoraphobia. Pummeled by fear, Nolan refuses to leave the confines of his home. However, when the laws of time and space begin to do strange things within his apartment's walls, he must battle his fears or suffer a fate worse than death.
-8
A married couple, Thomas and Ariana Mitchell are struggling to get pregnant, and is suddenly faced with an even bigger obstacle. A life and death tale that examines God and our relationship with him through the best of times and the darkest times.
-2
Well Done Baby is about how a modern young couple of today fails to find purpose in their relationship till destiny decides to give them one.
2
Have you ever felt lonely in a Relationship..., Marriage or Live_In , doesn't matter, when you can't share your feelings with your companion, it is like travelling to an unknown destination with a troublesome partner.
-2
Erica Rhodes brings her confessional comedy style to the legendary Rose Bowl for her very first special, La Vie en Rhodes. With topics like non-motivational quotes, emoji etiquette, political correctness, bad grammar, and narcissistic exes, Erica highlights the absurd in all of life’s struggles.
-1
Desperate to support his family and crops, a Cuban farmer and music promoter gambles everything on a deal that appears too good to be true.
2
The film narrates the journey of a couple who face the complications and their confusion honestly, meanwhile rediscovering themselves at every step.
-2
The Progressive Tailors Club gathers for a meeting to elect a new leader. However, when a trusted executive is eliminated for corruption, it comes down to a choice between the old, the new and the ridiculous.
0
Favored by the former emperor, Princess Chen Lang Yue was allowed to grow up free and unrestrained despite living within the confines of the palace. She is not only a stunning beauty but also proficient in everything from poetry to music. Filled with a thirst for knowledge, Chen Lang Yue who is buoyed by her interest in construction sneaks out of the palace to join a team of craftsmen. Li Qing Feng formed the Muyu team with his childhood friend Luo Ye. Luo Qing Feng is a genius in architecture. He comes from an aristocratic family. However, he is insecure about his status as an illegitimate son. Together, eight young individuals with different personalities collaborate to build an interesting architecture.
3
Arul and his sister Ruthra and friends Jency, Stella, Victor travelling to hills station near by Andhra area from Chennai.
0
A 16-year-old quirky black teen deals with love, death, bullies, and social awkwardness, as he goes through high school.
-2
When an absence of communication reveals a love triangle, much more than lies come to light.
-1
Viswanath is a lawyer who is blessed with a loving family which is supported by his wife Kamala and his loving 8-year-old daughter Akshara. He is a man of values and lives with principles. Viswanath spends considerable time with his family to ensure he gives proper love and affection. His world is small, but it is filled with joy and peace. On his daughter's birthday he takes his family for an evening outing and returns back with a load of smile cherishing the well spent evening. On the way back a tragedy strikes Viswanath and his family which is un-imaginable for a person like him. A person like Viswanath who believes love and affection is the path to happiness is shattered.
13
A former Bay City cop tries to keep his failing P. I. business alive, and his loyal assistant employed, by finding and returning a piece of very expensive jewelry for a fabulously wealthy and beautiful client. She's the first client he's had in a long time but Philip discovers that there is far more to her story than she told him. Most puzzling of all, the police don't want him to follow this case or the suspicious circumstances surrounding the death of his late wife. The deeper he goes into this case, the clearer it becomes that everyone with whom he comes in contact has a secret.
0
Song For Our People is an inspiring new documentary about a group of a professional musicians and artists who come together one day in a Brooklyn recording studio to create a powerful new anthem to honor the perseverance of their African-American ancestors, and to energize the on-going fight for a more just American society.
5
Do we need the airport employees who wave batons at planes? Can't we just enjoy a roller coaster without sitting with awkward strangers? Is there a secret to becoming the richest dentist? In this special, Kellen answers all your questions.
-1
An ambitious traffic cop sets out to solve a murder which took place four decades ago with the help of a journalist and a retired cop.
0
Varadappa, a sawmill owner and rural don sends his trustworthy friend Vasudev to close a deal worth a lot of money with Loki, an associate of his in Bangalore. Vasudev's son Channakeshava finds out that his father has been missing since the deal. However, the bag that he carried has been making rounds in the city and Channakeshava decides to find his father with clues from the bag and help from Chintak, a local pickpocket.
2
In the early years of the Tang Dynasty, the country has rejuvenated from the chaos of the Sui Dynasty, thanks to the leadership of Li Shimin, the great Emperor Taizong of Tang. Sheng Chumo (Xu Kai), the son of the Duke of Lu, is a notorious playboy in the imperial city of Chang'an. He is attracted to Fu Rou (Li Yitong), the daughter of a merchant, at first sight. After realizing this feeling of love, Sheng Chumo starts to pursue Fu Rou, which leads to many hilarious incidents. Through laughter and fun, we get to take a peek at the life of the Tang Dynasty. Faced with schemes and intrigues against them, Sheng Chumo and Fu Rou fight together and overcome the obstacles one by one, and finally live their lives as a happy couple.
5
Life has been full circle for Jackie Fabulous who's now found herself living back in the Bronx. Watch Jackie navigate her New York heart through life's biggest hurdles.
1
When the Take-its steal this year's supply of Easter Eggs, an unlikely group of characters band together and brave the perils of taking back what is rightfully theirs. These richly defined characters form deep bonds of friendship throughout their journey and discover how to face their fears. They learn how to deal with bullying and bullies, and discover that courage can sometimes fix anything.
-2
Traces Thomas Sowell's journey from humble beginnings to the Hoover Institution, becoming one of our era's most controversial economists, political philosophers, and prolific authors.
1
A newly promoted detective (Alan Wesley) tries to solve a mysterious case that leads him to a small town, but is he more involved in the case than what he thinks? Knowing the land's dark history (Bryan Harjo) tags along, but will his Native American ancestors help him solve this case, or will it put a wedge between their friendship?
-2
A police officer is looking to solve the mystery of an unidentified body. A couple who’re unhappy in their marriage go looking for answers in their past. A detective has the answers they all need.
-2
17 Year old Phuzi is chasing his dream of being a kwaito star but Gaza has a different plan for him. In a world dominated by gangs and crime Phuzi finds himself implicated in the murder of a local tuck-shop owner.
-1
Abhiram is losing control of his gambling addiction and needs a lot of money and quick. Desperate, he inserts himself into a political feud. He soon finds that it's a thin line between gambling with money and gambling with your life.
-2
A self obsessed social media celebrity couple camp out in the Adelaide Hills on Christmas Eve only to stumble onto a community hiding a secret tradition to protect the 25th of December.
0
Dallas and heroin have one thing in common: Duncan always goes back to them. Six months ago, Duncan lost everything to heroin addiction: he spent time in prison, his wife took his daughters and left him, and his parents barely speak to him. His sister, Jessie, offers him support, but struggles to raise her children with an indifferent husband and pursue her own career. Brother and sister are caught between the disapproval of their parents, Ronald and Martha, and societal expectations: to sacrifice for their families. Duncan bounces back and forth from Narcotics Anonymous meetings, teaching at a local community college with a one-strike policy, and infant birthday parties to earn back his family's broken trust and prove that anyone can change. His soon-to-be ex-wife, Tonya, is forced to give Duncan an ultimatum - he must overcome his addiction and prove it, or risk never seeing his girls again. 'Lily is Here' is the story of a recovering heroin addict that, through a tragic family loss, discovers there are two dates for every addict: the date they became clean, and the date they go all in.
-9
When a family can't be together on Christmas, they bring their dysfunctional family Christmas online.
0
Nerdy tax official Eva is fired for giving speeches about a fairer tax system in the park. An Internet video of this goes viral, jeopardizing a planned mega-merger. That's why the company bosses are determined to stop Eva's popularity.
0
The Tragical History of the Life and Death of Doctor Faustus, commonly referred to simply as Doctor Faustus, is an Elizabethan tragedy by Christopher Marlowe, based on German stories about the title character Faust.
-2
After surviving a violent encounter, renowned pianist, Amber Waltz, relocates to a rural farmhouse to complete her latest symphony. When the music mysteriously begins writing itself, Amber slowly discovers that this piece could be her last.
-2
'Market Down Hai', Gaurav Gupta's one hour is a spot on culmination of years of observation and personal anecdotes on the Baniya Way of Life. Having experienced that since childhood, he draws his humour and relatablity from his own personal experiences which not only make it engaging but also allow us insights on hacks to survive the word of Business Conquering Baniyas, as he likes to call it. Gupta in his own effortless style and approach to call out and make the best of his own personal experiences, humours us all in this one hour, it's everything but mundane.
4
Christmas comes just once a year. But for Rudy, every day is Christmas. And every day is perfect. Because Christmas is perfect. At least that's what Rudy tells himself.
2
William Edgar inhabits a strange dream-like reality. His obsession with a mysterious woman leads down a bizarre path full of signs and wonders. Sometimes finding the girl of your dreams can be a nightmare.
-1
A rhythm and blues superstar tries to put his life back together after losing everything.
-1
Austin with his best friend named William, who both are wanting to go out for trick or treating after school to get as much candies and treats as they are able to, creating a fun, not so hollow Halloween experience for the both of them!
0
To save their failing marriage, Rahul and Leena throw an anniversary party. However, an unwanted visitor and a crime make a grand scene.
-2
In her postpartum pandemic special, comedian Ester Steinberg jokes about a risqué photoshoot and a wild bachelorette weekend, and shares stories from her first year of marriage, and giving birth in the epicenter of a global pandemic.
-2
Two families struggle with scars of a childhood tragedy discover destiny when they are connected by a series of uncanny events.
-2
Becca, a private investigator, is hired to look into the origins of a viral TikTok Challenge that has haunted and caused the deaths of several people. The deeper she digs into the mystery, the more she realizes there is a very real evil lurking behind the scenes.
-4
Arjun and Anu, best friends who are married, are on the verge getting a divorce. Arjun happens to meet God, who inquires about what went wrong with this couple. If Arjun gets a second chance to live his life without making the same mistakes, can he get a happily ever after?
0
A young woman who works in a mall goes missing and even as her father and her boyfriend desperately search for her, she has to battle on her own for survival.
1
A look at the current status of gender, ethnicity and sexual equality within women's rugby union.
0
Young couple from Mexico decide to come to the U.S. in search of the "American Dream". Illegals in a foreign country, no family, no friends. They are forced to confront the choices they have made.
-1
Karen, an American living in Japan, desperately wants to fit in and plays the Japanese Ouija with her peers, unwittingly disrespecting a local deity who sets her up to fight her newfound friends in a deadly game of battle royal.
-3
The Reunited States is a feature documentary that profiles people who have dedicated their lives to promoting depolarization and de-escalation of our tensions across the political divide.
0
Country music has always been Black music. For Love & Country examines the genre's past through the lens of a new generation of Black artists claiming space in Nashville, and transforming country music in the process.
1
In a New Age ravaged by virus and unrest one family battles against tragedy in a world of unknowns. Is a mother really Dead? Or will the Dead tell hidden truths about the living.
-6
What do you want to be when you grow up? Follow Pinkfong and meet the different workers! From heroes of the night to astronauts from outer space, come explore the diverse jobs!
1
Randu is a socio-political satire that hilariously portrays how the quite normal life of a village youth namely Vava is disturbed by the acts of some communal groups in the village. The current social atmosphere and political events add to his challenges. Can he make things straight through his wit and innocence?
-1
Mahogany Andrews appears to be in the fight for her life as she is battling Tony Hawkins for custody of their daughter, Rachel. However, another fight is beginning to ensue as Cassie Pearson is doing whatever it takes to keep her entire family, which includes Mahogany, together and Khalil Pearson is battling internally to figure out what he truly wants and needs out of life and his marriage.
0
As a boy copes with his difficult home life and his parents' failing marriage, a mysterious girl suddenly appears. Faith, family and a special kind of magic come together as his new friend teaches them all about love, forgiveness and healing.
0
Three generations of women say goodbye to their family ballroom dance studio.
0
A village girl is married to a software employee who is head over heels with her beauty. Life takes an unexpected turn when her husband loses his job and she is forced to take a few steps that she has to go through an emotional turmoil.
-2
Donkey Hodie follows the adventures of a little yellow donkey who dreams big. With perseverance, great pals, and a laugh along the way, there's nothing she can't do! Hee-haw!
2
After the apocalypse people turn into monsters and monsters into devils. Three survivors seek refuge with a militia for protection but find dangers of its own. It's good guys versus bad guys versus worse guys.
-4
A BPO employee, who is annoyed with constant anonymous calls, gets kidnapped after leaving office. Will her parents be able to find her?
-1
Glitterbox presents feature doc Where Love Lives, exploring music's enduring power to manifest diverse and inclusive community, to accept and embrace, to liberate, even to save lives. It's a story of acceptance and creative expression. Through interviews with titans of nightlife Billy Porter, Honey Dijon, Kathy Sledge, Kiddy Smile, Lucy Fizz and more, the film explores how those driven to the margins of society are welcomed unconditionally to the dancefloor.
4
Engada Iruthinga Ivvalavu Naala is a Tamil movie by Kevin
0
Six strangers seek to better themselves in Emotions Anonymous, each of them offering a line of support for another member. When conflict arises they do the only thing they can to get through it - band together.
0
But what if it's all a lie? The lessons they teach, the rules you learned, the people you thought you knew? There is no "Heartbreak 101" or Graduate-level Backstabbing courses on the syllabus. Nothing covered in a classroom course can prepare a young adult for the harsh realities of the real world.
-2
The film recounts failure in a fun and constructive way, often experienced as an indelible shame and almost never as a precious opportunity for growth.
1
After falling prey to a Ponzi scheme, a mismatched group of people attempt to pull off an amateur heist.
-1
A lonely woman receives a golden doodle as a gift for Christmas. A single father is struggling to raise his daughter after a traumatic Christmas the year prior. In this heartwarming journey, the Christmas doodle will have them cross paths for Christmas. This film is filled with many tears and laughs.
-1
Out of options and out of cash, two best friends - a jaded wannabe filmmaker and an idealistic PhD candidate - contemplate robbing their drug dealer.
0
Diverging from his faith to borrow money for his daughter's surgery, Tristian's lender orders him to rob a church to test his loyalty.
2
Born in Dallas of undocumented Mexican immigrants, Trinidad Lopez III fought his way out of the ghetto with a guitar to become a true American rock and roll legend, one of the first Latino rock stars.
-2
A troubled young man retreats into his childhood synagogue, where a chance meeting with the Rabbi leads to an existential discussion exploring deeply-held issues of relationships, mental health, and faith, leading both men to confront the ultimate choice.
-1

0
"My Melancholy Baby" takes a look at 48 hours into the difficult life of the Burrows family. This story is told through the eyes of the older son, Miles Burrows, a 19 year old drug addict who hasn't been home because his home life is the underlying reason for his addiction.
-3
In 1993 a cynical New York City sportswriter is sent to a small Iowa town to cover the final season of 6-on-6 girls' high school basketball and discovers the town's undying love for the nearly century old game. His search for a story leads him to the hometown girl turned coach, the star player and her alcoholic father, plus a legendary player who hasn't returned to the gym in 40 years.
2
Mia, a young, attractive woman and mother starts to question the meaning of life due to external circumstances. She tries to escape into the virtual world of chats, where she meets „Morgenrot" for the first time. It is the beginning of a journey through the unknown, where feelings don't emerge through physical contact, but through words. However, Mia's husband discovers her secret.
0
The soccer tournament phenomenon of the Coupe Nationale Des Quartiers in Créteil sees teams representing different nations from around the world compete against each other, with the goal of lifting the Champions Trophy. The opportunity to immerse yourself in different cultures through portraits of players and coaches of the teams and personalities such as Eduardo Camavinga, Tiakola, or Medina.
2

0
Neorealist silent film musical. It introduces us to the Spanish economic crisis from 2008 to 2014 and its serious social consequences. Its director is the producer, screenwriter, composer, singer and actor.
0
Coming for the King is a fictional account of the events and the people that surrounded Martin Luther King Jr. from early 1963 until his untimely demise in the Spring of 1968.
-3
A naturopathy practitioner with a strong distrust of allopathic treatments goes after the kidnappers of his daughter and expose a medical crime.
-1
To get fresh thoughts for writing his script, a famous writer, Vihari goes on a road trip. At a place named Siripuram, Vihari observes some weird incidents taking place in a guest house and decides to stay there to get inspiration. This is the time Vihari finds out that there are four evil spirits who are behind all the crazy incidents.
0
Jaspreet Singh takes on "mundane" topics like the ever-growing motivation market, godmen, serious parenting to the "tough" bouncers like his door bell, the salad he made and the absurdity of the teenage. His first comedy special is a perfect amalgamation of his niche observations, signature laid back attitude with quick paced punchlines.
2
After an unscrupulous cattle baron announces his candidacy for governor, four estranged siblings set out in search of revenge for the death of their family.
-4
Evie seeks to reunite with her father in a post-apocalyptic Wild West after a civil war ravaged the U.S., leaving only the dead and a land of no law.
-2
Young Roman and his mother Oksana leave Ukraine and go to Germany, where she works illegally while they both live with Gert, an old widower who tries to befriend Roman, who struggles for his mother's attention and sees Gert as a rival.
-2
The manager of a small town public access station questions the legacy of his favorite children's show mascot when he learns that the man inside the costume had been carrying a dark and scandalous secret.
-1
After throwing a job, an ex-Marine seeks refuge in a safe house where he is swarmed by mercenaries sent to kill him.
0
Mob hitman Max meets up with his partner, Seth, who is the right hand man to La's crime boss, Pinero. At the meeting Seth tells Max that he has a contract to kill Max's younger brother, Vince, who has killed Pinero's most prized possession, his beautiful trophy wife Laurel. Seth gives Max two days to find his brother and get him out of town before he comes after them. Max catches up with Vince hiding out in a sleazy motel and tries to piece together what happened between Vince and Laurel. Now with his own life in danger and time running out, Max must do everything he can to save his brother without getting burned himself.
-3
A documentarian sets out to make a true-crime murder documentary, but after the movie fails in spectacular fashion, he attempts to save face by doing a director's commentary on the original movie.
-1
'THE QUEST: Nepal' is like combining Werner Herzog with Anthony Bourdain and a bit of Bear Grylls on an extraordinary Quest to deeper understand and climb the most iconic mountain in the world, Everest, while unveiling the fascinating culture, history and nature of Nepal. <> Become enthralled by the captivating past and present of the mysterious South Asian city of Kathmandu, before embarking on a spectacular 9 day trek up the sacred Khumbu Valley to reach Mt. Everest Base Camp. <> The deep spirituality and serenity of the Sherpa people who call the Khumbu Valley home is evident everywhere, beautiful Buddhist shrines, hand-carved Mani stones and colorful Tibetan prayer flags are prominent centerpieces along the trek and throughout the region. <> Witness what life is really like at Everest Base Camp, and to climb + survive for 43 more grueling days at 17,500 feet / 5334 meters and above as we continue our epic Quest upward in order to try to reach the daunting 29,032 foot / 8849 meter Summit of Planet Earth. <> From experiencing Mt. Everest like never before to witnessing remarkable rarely seen stories from one of the most unique countries in the world, 'THE QUEST: Nepal' is truly a one-of-a-kind cinematic journey like no other, and one which embodies the incredible human spirit of adventure that lives inside us all.
13
Set in India, Shava Ni Girhari Lal is a Punjabi Movie that is full of comedy, love, joyful and seriousness.
1
When the Choi family lose their dry cleaning business, they learn to love each other to survive the crisis and heartaches that they cause each other.
-1
Add a Plot »
-1
In a state where we grew up admiring how coach Nambiar and his protégé Usha brought back athletic glory in truckloads, Kho Kho is a highly relatable tale of a talented athlete transferring her spark of desire onto the next generation.
3
Unable to cope with harsh reality of the world she lives in, Apala seeks solace in vivid and frequent flights of fantasy. She slowly detaches herself from everything real and starts treading the thin line between imagination and delusion.
-2
An unrepentant playboy sashays through life until Cupid's arrow finally connects.
0
A couple enters a city ruled by cruel thugs but an unsettling affair reopens unexpected twists and creates new tensions for them. Will they stick together through it all?
-6
An IAS aspirant, who lands in Chennai to fulfill his mother's wish, gets into trouble with a local councillor and his men, leading to a power struggle.
-1
When a teenage boy is found after disappearing overnight, his unexplained behavior causes concern within the family, and a lack of medical answers leads to a revelation of alien abduction.
-1
After her estranged father dies during a UFO sighting, a country singer returns to her hometown of Lost Heart, Michigan and learns about forgiveness, redemption, UFOs, Bigfoot, and Jesus in this better than average religious movie.
0
Add a Plot »
-1
When Santhosh learns that his ex-girlfriend is getting married, he decides to get a reprisal by pushing an escort Saranya into a locked newly built space called Manhattan. Will she survive without water, food and electricity?
0
Tommy Little is the most exciting comedian of his generation. Sit back, relax and watch Australia's premier dickhead in full flight, recorded at the Melbourne International Comedy Festival.
2
A detective on a mission to solve murders around town struggles with racism and his jealousy over his best friend's new love life.
-2
Incubated plunges into the mysterious mind of a middle-aged truck driver (Sean) who will do anything to protect his family...instead unexplainable events take place that ultimately causes him to face his nemesis.
-1
100 M Criminal Conviction is a crime thriller set against the backdrop of the fashion industry. As they maneuver through the maze, the characters weave an enthralling tale of tactics and trickery.
-3
A new "Variety Show Special" starring one of the world's most exciting new artists, plus special guests Romy (The xx), Dave Okumu and Glass Animals. Including first ever performances from Parks' acclaimed debut album 'Collapsed In Sunbeams', the film features conversations, poetry and collaborations, all existing in a magical world of iconic, stylish and gradually unravelling environments.
5
When a crime reporter's daughter goes missing and the police reach a dead end, he resorts to using lucid dreams to track her down with the help of his wife, a scientist.
-1
Emmy nominated writer and comedian Harmony McElligott performs his one hour stand-up special. He gives an off the wall performance full of original characters, impressions, and hilarious stories based on his struggles in daily life.
1
Two men loyalty is tested when a very ungrateful and needy female comes in between their friendship. Will she divide Darnell and James or will their loyalty to each other overcome the dangerous game she playing. With all being said, James didn't make it no easier either.
0
Introverted Ricardo Perez likes to approach the world in a very subtle manner, trying not to upset anyone or cause any problems for himself. But to his surprise, he is the prime candidate for accomplishing God's will due to the neglect of others. This presents an internal spiritual conflict within himself. Will he take the challenge by standing up for himself, his family and his faith or will he succumb to the fears of the flesh?
-3
As a screenwriter takes notes from Hollywood executives, her beautiful diverse movie about a black American woman traveling to Mexico, slowly becomes a romantic comedy with an all-white cast. A quirky cerebral look into commercialism and greed, juxtaposed with a heartwarming movie that challenges stereotypes.
0
Humans are connected to gold metal in one way or another. How this precious metal effected the life of a student in different phases of his life and how he handled those situations is the crux of the story...
2
An ancient Middle Eastern relic, with the ability to see into the past, gets unearthed, crossing paths with a University professor and his students, changing their lives forever.
0
Four friends, four stories, one movie full of thrills, chills, a doll and African prince. Come join the party.
0
20 years ago the small town of Wunsiedel was at the edge: businesses had to close, jobs were lost, locals left for good. When a bunch of idealists decided to stop this race to the bottom. They developed a plan not only to put the region's energy supply on a completely new foundation, but also to create new prospects.
0
A young gangster and his uncle attempt to outwit the head of a crime family that deals hard drugs.
-2
After a year-long marriage, a couple approaches a lawyer to file for divorce but encounter a life altering shock on the same day. Together, they must work out what they need more - a divorce or getting out of a police investigation?
0
November 1963, London. An East End slum landlord with a reputation for protecting the morally abhorrent is assigned the unenviable task of chaperoning a vision-plagued Catholic Nun to her mission in Paris.
1
Filmed in a tiny backyard at the height of the pandemic, Christian Finnegan brings his brand of 'social autopsy' to topics that range from the dumb (pharmaceutical names, baguettes) to the super dumb (QAnon).
-1
A story about disgraced former Police Chief Daniel Hartwell of Flint, MI, his cheating wife, Poppy Hartwell, and his two adult daughters, Destiny and Chasity during the aftermath of Flint water crisis!
-2
Gautham is a traffic cop who aspires to be in the crime wing. When skeletal remains are found in his jurisdiction, he digs deeper and unearths a conspiracy from 40 years ago. How he proves the case is still relevant forms the story.
-2
Something From Nothing takes you on a stand-up comedy tour during the pandemic from a comedians perspective, filmed in the parking lot of a diner in Queens, NY. The film shares the story of Jay Nog and his family during the pandemic as well as the comedians and employees who performed and worked at the diner.
2
A Young Man Fights For Poor And Down Troddent People And He Unearths Culprits Behind The Mob Lynching.
-2
A sixteenth century Romanian Vampire King rises in the present day. In order to continue his life cycle before the next, 'Full Blood Moon', he must find five beautiful exotic women who possess the bloodline he needs. These five women are captured and bitten by him. They escape before he is able to complete the 'Blood Moon' ceremony.
1
A middle-aged man trapped in frustration and loneliness in Toronto comes across a lady when they help each other to get back to their lives from thousands of miles apart. When Dhruv lives a lonely life in Toronto Canada he is offered to take care of Sheema's house for few months while Sheema is away. This gives an opportunity to meet each other over the phone and to help each other to solve their problems.
-5
Fourteen-year-old Naima longs to earn money for her poor Bangladeshi family, but her unrivaled artistic talent is of little use. When her ailing father is at risk of losing his prized bicycle rickshaw to loan sharks, she disguises herself as a boy and attempts to drive the rickshaw herself. Naima crashes the rickshaw, threatening the family's sole livelihood.
-5
Multiplatinum recording artist MAX has been labeled a "Top pop-star to watch" by Billboard and was nominated for "Best New Pop Artist" at the iHeartRadio Music Awards. In this special concert event filmed at The Greek Theatre in Los Angeles, MAX puts on a spectacle performing his latest studio album "Colour Vision".
3
'Jhimma' is a story about 7 women from different age groups and different socio -cultural backgrounds coming together on a vacation to the Great Britain with a tour company for 10 days. These women come with their issues and a lot of baggage. During the course of this trip we hope to unfold each character and their journey. Each of the woman faces her demons and discovers herself. The trip turns into an opportunity to mend fences, heal old and new wounds, fall in love with life and combat their worst fears. Jhimma is a slice of life film. Which just gives us a new and fresh perspective towards our lives.
-2
This is a story of two individuals, karthik & ria. Karthik who was very passionate about films and trying hard to make that as his carrier. ria who loves karthik & left her house with him & supports karthik in every single step to reach his roal.
2
A flawed Army General attempts to guide an impossible African country through a viciously strained era in this first of its kind, authorised biopic, based on real events.
-4
Carl, a mentally unstable drifter is at a crossroads in a small Georgia Town. He finds a glimmer of hope in a shrewd streetwalker, Tammy who desperately yearns for a brighter future.
0
4 drug dealers call a truce and form an Alliance,but after 20 years of peace one member is forced to kill the others.
0
The movie tells the story about love and forgiveness. This story of opposites of feelings - love and hate, faith and doubt, grace and guts, triumphs and regrets.
2
Shantel takes on the HBCU lifestyle and learns it is completely different than the Ivy League world.
0
A faithless Filipino American FBI agent comes to the Philippines to bury his estranged Father but gets tangled in a case where a serial killer is murdering people according to the Stations of the Cross.
-4

0
A series of vignettes takes us across the City of Oaks to some of the iconic landmarks and places, featuring stories about people looking for friendship and companionship, but not exactly finding it the way they thought they would. The story-lines are all romantic comedies, occasionally venturing into "screwball comedy" territory, each ending with a twist.
0
The traumas of childhood differences and disappointments leads two brothers on totally different paths. Finding their way back to one another, will the childhood traumas they've endured be too much and drive them even further apart?
-2
Fatimah Taliah talks about getting to know herself during the 2020 pandemic lockdown and gets personal about what she learned from her mistakes in life.
-1
Akira and her band as they go into the dense forest to research on the sounds of nature. Akira celebrates her birthday there with her band mates and receives a gift of a beautiful Cinderella gown. But when she wears the gown, her behavior starts to change, as if she has been possessed.
0
Some time passed and Felícia narrates important moments in her life that took place during this period. She and still has a feeling of incompleteness. Upon meeting Sandra, she will begin to question her dreams and goals in life.
1
"Live Tour V6 groove" is the culmination of V6's 26-year-long career. The footage is from their concert at Saitama Super Arena. The v6 members pulled out all the stops to make this a great performance, down to the last details. Don't miss witnessing the strong bond that the six members of V6 have built together over 26 years.
2
In Hoe's Parade, Daniel Webb brings queer comedy magic and a stunning head of hair to the stage. In addition to also singing like crap, Daniel describes his harrowing and slutty Covid-19 survival stories, rails against the foolish presidency and his disgustingly hideous children, sings songs about men that lie about their STDs, and about Breonna Taylor's murderers, who are still walking the streets. Hoe's Parade is a celebration of life where Daniel proudly makes world history as the first queer gay man to perform stand-up comedy live at the Rose Bowl!
-4
Sophie is leaving her husband, Felix. He wants them to stay together, although their relationship is coercive and exploitative. He is an abuser and philanderer, likely violent. The film follows her musings on life in general, and particularly on moving on, while he learns some home truths from friends and family (and a few untruths too, as long as they fit his outlook).
-2
When two hardened criminals facing harsh sentences make a break from prison, they hatch their plan to rob a paranoid recluse who runs a boarding house in her sprawling Victorian manor. Just as their plan seems to be coming together, things inside the mansion begin to unravel. It's a race against time for the men to escape with their lives and sanity intact. The VanGobels mansion holds some very dark secrets, and those who don't follow Ms.VanGobels rules are sure to unlock those secrets. Abandon all hope he who enters here.
-8
Eight-year-old Iris's heart condition threatens her dream of becoming a professional dancer.
0
The rise and legacy of Canada’s most decorated Caribbean Carnival Queen, Joella Crichton, as she aims to win a historic tenth title in her last ever competition.  This immersive arts and cultural documentary explores expressions of cultural identity, Caribbean artistry and a community’s struggle against a lack of understanding of Carnival in the larger society.
-1
Jaime is a young writer who just published his first novel called "Don't Fall in Love with Her", a book based on his relationship with his ex-girlfriend, Laura, from whom he still has feelings for. His plans to get her back will be ruined when he finds out that his childhood best friend, Vega, is his ex-girlfriend's new boyfriend.
0
Investment Banker Lance Wilson has gotten himself caught up in a major money scheme. After losing a million dollars he is now a wanted man on the run. Now he must survive a perilous night in Philly or suffer the consequences.
-3
In this performance, one of Variety's "Comics to Watch", Erik Terrell, was filmed in a sold out room as he returned to his "home club", Helium Comedy Club in Philadelphia.
1
A high-flying lawyer from the upper class finds herself posted to a charge and bail law firm.
0
The story is based on a woman who has lost the happiness in her life after getting married and eventually obtains divorce from her abusive husband.
-1
After a traumatic past, once-promising young boxing prospect Anthony Santiago (Alexander Luna) returns home from prison to seek redemption, only to catch the attention of big boxing promoter Mr. Deville (Damian Chapa) with a sinister reputation. After a deal gone wrong, the young boxer must now seek help from retired champion Roy DeSilva (Al Dias) in a literal fight for his soul from the Devil himself. From award-winning director Juan Salas ("The Devil's Ring").
-2
An old music store that sold vinyl records is closing down in Mumbai. Shweta, an intern at an online music magazine works on her first feature story about the closing of the store. In an almost empty shop, she finds years of memories. The old man and his nephew who run the store become the subject for her story. Shweta discovers a diary of song lyrics Vivek had hidden away from the world. The shy musician in him finds them incomplete. She inspires him to continue making songs. While the story of the shop ends, another story begins for Vivek and Shweta, that of love and music.
1
Janet Roth bares all in a blistering stand-up special about marriage, Millennial dating and living in LA. And she won't spare you the details.
-1
A man finds answers and more questions as he looks beyond the water's surface.
0
A man's random act of kindness becomes the answer to his most ardent question.
2
Chitti Babu is an upcoming Telugu movie. The movie is directed by Ajay Koundinya and will feature Sai Jaswanth, Renu Varma, P. Vijay Kumar and Kumar Mittapalli as lead characters.
1
After he learns he harnesses the power of telekinesis, normal high school-er Jack is swept up into a life of crime by Felix, the charismatic leader of a local anti-hero group. As he bonds with his new friends Felix, Piper, Vera, and Duke, he is asked to help them with their most challenging heist yet. But, what he finds is that the greatest challenge lies among the teens themselves.
-1
About Hero of the Soviet Union Lieutenant General Ivan Rosly - a commander who went from an ordinary Red Army soldier to a military leader, a participant in two wars: the Soviet-Finnish war and the Great Patriotic War.
3
Security Services officer Christian, confused and unsure of who he really is anymore, must come to terms with his own identity while on the hunt for a Russian agent.
-2
Standup comedy special filmed in 2018 in Gregory's hometown of Dayton. Includes film with his activist Uncle Dick Gregory.
-1
Ain't no rules to this street game. Realizing the "Opps" are sometimes closer to you than you thought: who do you trust? Your devious wife, or childhood friends?
0
The story is about life, love, and nirvana.  Siddharth (42) is in the holy city of Banaras for the first time. One day at the ghat he sees and instantly gets hooked with the aura of Malvika (38).  He is at a loss for words as this is the same girl whom he saw 17 years ago while crossing the road.  Is destiny playing a game with him? Is it mere attraction?  Graceful, Soulful, and Cheerful Malvika clear all his illusions as she believes in the flow of mystical energy.  The undercurrents make them bond together to explore many hidden facets and at the same time, Malvika feels some interruptions. She is waiting eagerly for the sunset of 27th September.  Will destiny would be kind enough to their coming together?
9
When parents visit their son in Lagos, they ruin a relationship he's been building for two years. In an attempt to make things right, they kidnap his fiancée and then return her to him by force.
0
A young woman devoted to her faith experiences unearthly visions and events that lead her family and friends to think she's possessed by the devil. Little do they know that she is being twisted by something more outer-worldly.
0
Storyline One night Ashiq, an acting driver comes to know that his sister,who went out of town for a job interview is in a dangerous situation.
-1
A man recalls a gruesome series of events as he attempts to separate his memories from delusions.
-2
Francis Miller is hired by a US Marshal to help track down a vicious outlaw and must prove she can handle herself just as well as the men in the posse.
-1
After working undercover contracts in The Middle East and South America for a mercenary company he left the war life to start a new one in The city but instead he become a contract killer after his girlfriend dead .
-2
There are worse things than death. Especially for a testy American teen sent to stay with her eccentric Thai grandmother.
-4
Karunesh gives another hilarious performance that's filled with astute observations.
1
Unlucky in love, a forty-something woman finally decides to get herself a baby from a one-night stand with the son of a multi-millionaire.
0
Glasgow, May bank holiday Friday. After closing a big deal, young London businessman Charlie Grant puts his credit cards, and his briefcase in the trunk of his car. In celebration he gets wildly drunk. In the morning, he wakes up on a girl's sofa, then discovers that his car has been towed away to the city pound.
-1
What begins as an ordinary board in a traditional apartment building to vote the renewal of the elevator, turns into an unexpected debate about the limits of pacific coexistence.
-2
Earthquake is one of the most recognizable entertainers around and for good reason! There aren't many comedians who can bring you to tears. His straightforward comedic style has propelled him into sold-out shows, movies, and various television shows. Earthquake is at his best in his all-new stand-up special. He talks about everything from dropping a nuclear bomb to divorce.
2
Join John Challis on his journey to the capital of Serbia, Belgrade, where he aims to uncover why ‘Only Fools and Horses’ is so popular in the small Balkan nation, apparently it’s the most watched show in Serbia, but why? Boycie is received in Serbia as almost a national hero, causing a media frenzy everywhere he goes on his voyage to learn about the people and the country. From a Royal Palace, to a brandy distillery, to a university teaching cockney rhyming slang; the documentary will keep you entertained as well as discover what it is that unites this tiny Balkan state with British humour.
2
All family secrets have a price, and a due date, and for this family of estranged sisters, the date is now.
-1
I'm half-Colombian. My Mum was backpacking in Sth America aged 22, came home and found out she was pregnant - that's me. In 2019 I met my biological father for the first time. It got heaps of likes on Instagram, so I wrote a show about it.
1
After not seeing his family for over seven years, P.J. gets talked into going home for Christmas by his co-workers. Excited to see PJ, the entire family comes home for the Christmas season; his family is loaded with personality and has a flair for the dramatic. He reconnects with his high school sweetheart, Rebecca, and after having a fight with his father, is reminded of the importance of love and forgiveness. Only then does his perspective change and he embraces second chances at life.
2
A reclusive college student finds social media fame as a disguised street artist who reveals his story through vandalism.
1
Gangster vs State 2 questions the judiciary if a person is granted bail after two days then why not on the same day, is it necessary to send an accused to jail.
-1
Set in Red Hook, a Brooklyn neighborhood on the verge of gentrification, GOOD FUNK follows three generations of citizens whose lives intersect through acts of kindness both big and small.
2
An affectless writer is lured to a couples weekend getaway by his wife and friends, only to uncover a tumultuous secret and a perilous obsession that threaten to change the course of his life in intense and surprising ways.
-3
In this documentary feature he is interviewed in depth with contributions from Keith Richards, John Mayall, The Yardbirds, Jack Bruce and many more. It is THE definitive Clapton biography.
1
You thought you already knew enough about the Balkans; or simply never bothered to learn anything about it? You're not to blame as the images you had encountered were mostly those of war atrocities, too many historical references, ongoing crime with much corruption and not so much teeth. Yes, there is also beautiful nature there, delicious cuisine and upbeat music - However, is there anything funny at all about it? Well, here's a chance for you to find out. Delivered in a hour-long show by one of their natives, in a manner best described by its slogan: Filthy Mouth. Clean Heart. Balkan Brain.
0
Displaced Syrians, having found temporary shelter in nearby Lebanon, now prepare to make a bigger move, to relocate once again, in Germany.
-1
Eakam a philosophical fiction thinly based on the life of Shiva. This type of genre is never been attempted in Telugu. It's has been shot at a record span directed by a debutant B Varun Vamsi under the banner Ananda Thoughts production company and A Kalyan Sastry's Samskruthi Productions. Though there were certain limitations we roped in a young team and shot in various different locations in and around Hyderabad. The undercurrent of the film is a spat on the current stereotypical society. It's a new age drama which follows the five elements of nature viz. Earth fire wind water and sky. The 5 main characters represent each element n how the story unfolds by the jobless god talking about oneness of human souls is the crux of the film.
-4
The film explores the life story of the famous political leader Devineni Nehru.
1
A candid, lyrical, intimate portrait of one family's struggle to transcend a fatal muscle wasting disease, Duchenne muscular dystrophy, which in turn becomes an unlikely celebration of the disabled life, the life cut short by rare disease.
-2
What remains when Brexit happens?
0
A teenage boy investigates lucid dreaming, he discovers frightening things happening in his home and to his mother, that turn out not to be actual dreams at all.
0
The story revolves between two youngsters who are at the age of getting married. The girl seeks to meet the boy with a wish of a denial. On the other end boy with positive mindset without revealing his original identity.
0
The film brings out the overwhelming reality of abusive relationships. There are several stories that connect from the characters. At work, at home or with the one you love most, each new situation opens up the sickest side of relationships and society.
0
Four friends spend the weekend in a haunted bed and breakfast but are too self absorbed to notice.
0
Asmee is a dark love story around a newlywed couple With a mysterious past, during a dinner conversation, The two need to confront harsh truths, and pay a price for their actions
-3
ACP Bala lands up in the midst of a murder mystery that has a lot more than what meets the eye. With many characters and twists, he's got himself a case that keeps getting intriguing with every reveal.
-2
DJ the Chicago Kid is an hour-long roller coaster of things that have made Dave Helem who he is, both good and bad. The comedian and former math teacher's laid back style of storytelling & vivid imagination takes us on a journey of topics.
1
His father's death forces David to take charge of his legacy. Among their belongings is something unexpected: letters of love of another man. Baffled by the discovery, he decides to visit the alleged lover of his father and discover the truth.
-1
New book CORNERED alleges musician Brian Corner did not die in 1991, that his death was a set up. Peter, paparazzi, believes he has found Corner. He follows him in hopes of exposing him and landing the big pay day he has been longing for.
-3
After the mysterious disappearance of their friend, two teenage friends stumble onto a Satanic plot in their small town.
-3
TC wakes up with no recollection of what happened the night before. All she can do is hope her friends can help her. Now, she's on a mission to find out what happened to the Money and The Bag.
0

0
A group of women in an isolated religious colony struggle to reconcile their faith with a series of sexual assaults committed by the colony's men.
-1
A twisted comedic thriller series that explores the sinister relationship between boss and employee. When a new consultant, Regus Patoff, is hired to improve the business at the App-based gaming company “CompWare,” employees experience new demands and challenges that puts everything into question… including their lives.
-1
An intuitive young neurosurgeon discovers that she is the unlikely heir to a family of witches. As she grapples with her newfound powers, she must contend with a sinister presence that has haunted her family for generations.
-3
In 1977, Daisy Jones & The Six were on top of the world. Fronted by two charismatic lead singers—Daisy Jones and Billy Dunne—the band had risen from obscurity to fame. And then, after a sold-out show at Chicago's Soldier Field, they called it quits. Now, decades later, the band members finally agree to reveal the truth. This is the story of how an iconic band imploded at the height of its powers.
3
On a trip to her hometown, workaholic Ally reminisces with her first love Sean, and starts to question everything about the person she's become. Things only get more confusing when she meets Sean's fiancé, Cassidy, who reminds her of the person she used to be.
0
In 1995, seventeen-year-old Isabel Baker was murdered. The crime shocked the small town of Ashford and devastated Isabel's Australian South Sea Islander community. The case was never solved, the killer never found. In 2020, the opening of a time capsule unearths a secret that puts cold-case detective James Cormack (Fimmel) on the trail of the killer.
-5
When the crew of the Kishorn Bravo oil rig, stationed off the Scottish coast, is due to return to the mainland, a mysterious and all-enveloping fog rolls through and they find themselves cut off from all communication with the outside world. As the rig is hit by massive tremors, the crew endeavor to discover what’s driving the unknown force. But a major accident forces them to ask questions about who they can really trust.
0
An artist gets pulled into the murky high stakes of a con job and a fiery task force officer on the mission to rid the country of his menaces.
-1
Follows a fictionalized version of Kevin Hart, as he tries to become an action movie star. He attends a school run by Ron Wilcox, where he attempts to learn the ropes on how to become one of the industry's most coveted action stars.
0
Follows the revenge story of a group of people — including Eun-yong, a money trader — who refuse to remain silent in the face of unjust authorities and fight against a cartel conspiring with the law.
-2
Tarela, a young lady who works at a local bar where she is constantly owed salary, struggles to make ends meet as the survival of her mother, Ebiere and her younger sister, Kome, rests squarely on her shoulders.
1
Greed took over California because of the gold rush. It made people thirsty for wealth and land. There, in the newly drawn border between Mexico and the US, a lawless war for control, fueled by the anger and xenophobia of the past war, is led by a group of immigrants who join forces to create the myth of the Latin Robin Hood: Joaquín Murrieta.
-2
The rise of Sonny Boy Klaus Barkowsky, who is made into a pimp by the tough prostitute Jutta and founds the 'Nutella' gang, which soon engages in a battle for power with the established 'GMBH.
1
Sayen is hunting down the men who murdered her grandmother. Using her training and knowledge of nature, she is able to turn the tables on them, learning of a conspiracy from a corporation that threatens her people's ancestral lands.
-1
Cosmic Love is the first dating show based on astrology. With help from the Astrochamber, Nabilla goes to meet 4 single girls, to guide them in their quest for love. Seduction, jealousy, betrayal, passion… the stars are playful and full of surprises for these young single women.
1
Live adaptation of the novel "Zhang Gong An" by author  Dafeng Gua Guo.
0
A spin-off of the Youn's Kitchen series, scheduled to air in the first half of 2023.

A program that shows the process of Lee Seo-jin, who was promoted from director of 'Youn's Kitchen' in the past to now an owner/boss, opening and running a small snack & street food bar abroad.
0
Vijay, The prodigal son of business tycoon Rajendran agrees to take over the reins of the business, much to the chagrin of his brothers. But can Vijay prove himself to be a worthy varisu and also reunite his now-broken family?
0
Award winning comedian Kathleen Madigan delivers another great hour of stand up focusing on her family, the Road, the Midwest, boxed wine and her plan of action if she were to hit a Bigfoot.
3
Ana travels to San Gabriel to help her brother with her marriage. Upon arrival she meets Vico, a young musician with whom she seems destined to meet.
0
A widowed billionaire, Valentin Esposo, and his ten mistresses, fighting tooth and nail to become his new legal wife. But when Valentin suddenly turns up dead, all ten women end up being prime suspects.
-3
J Neelam, Vinod Talwar, Dilip Gulati and Kishan Shah directors of the golden age of 'B-movies' take you for a behind-the-scenes look at the making of their films.
1
Ten comedians compete to make each other laugh without cracking up themselves.
0
Follow previous winners of The Challenge as they compete to win the $500,000 prize. In the end, only the most dominant will conquer the game and prove they are not just the best in their home country, but the best in the world."
5
Kranti Narayan, a business tycoon in Europe is invited by his favorite teacher to attend the Centenary celebrations of the school. Kranti begins a revolution and takes the fight on with Salatri Group trying to takeover 12,000 government schools and privatize them.
2
It tells from the point of view of a diverse group of characters, while the financial, technological, political and environmental system of Mexico City is in collapse.
-1
Lupin III competes with the Kisugi sisters to steal a triptych of paintings that once belonged to their father, and which hold the key to a long-unsolved mystery.
-2
A maverick, vigilante cop who is forced to misbehave the limits of law when the system fails. It weaves across past and present whilesolving the motives and moral bruises that shape his actions.
-4
9 January 2022, Olympic Stadium of Rome. Within the first thirty minutes of the game, Federico Chiesa collapsed on the ground, screaming in pain: he had ruptured the cruciate ligament in his left knee. It was the beginning of a ten-month ordeal, during which Federico had to rediscover himself, both professionally and personally. At his side will be his family, teammates, the Juventus staff
-2
Adam, a talented architect has been living in a traumatic state for two years after his family was brutally murdered in front of him. Adam has been living in fear and trauma. His therapist Amanda advice him to learn self-forgiveness. The journey of a broken man on a mission of vendetta will make Adam decide between moving on and letting go of the past or discover a dark side he was never aware of.
-5
Can exercise sharpen the brightest minds? In this ground-breaking experiment, four world-class gamers, competing in eSports, Chess, Mahjong and Memory Games, put this to the test.
1
An access-all-areas look at the life of global megastar KSI as he goes through the most momentous year of his life. At the height of his fame, spurred on by a break-up, the multi-millionaire YouTuber, boxer and rapper starts to re-evaluate his priorities. How did JJ Olatunji, a nerdy kid from Watford become so successful and at what cost?
2

0
The Dholakia family's household have four generations living under one roof and navigate the many ups and downs of their lives together.
0
The relatable and curious life inside a Tamil Nadu engineering hostel by capturing the trials and tribulations of 6 engineering students and their struggles with identity, friendship, love, life and academics
0
In this searing documentary, Indigenous people share heartbreaking stories that reveal the injustices inflicted by the Canadian child welfare system.
-2
Muthu and Kannan are Gold Agents from Thrissur, the Gold Capital of India. The movie portrays their travel to Mumbai to distribute gold and the following mishaps they face on their journey.
2
Ingrid Guimarães and Lázaro Ramos hit the ground running on Prime Video. The two Brazilian stars are joined by Juliette, Tia Má, Luana Martau, Lindsay Paulino, Pablo Sanábio and other special guests to talk about CHANGE with a lot of humor and irony. In a sequence of comic sketches, they reflect on struggles and lessons that brought us all to 2023.
-1
Jesse, a charismatic but down on his luck troubadour, finds himself at an existential crossroads as bad choices catch up with him during an unexpected reunion with Carla, an old flame.
0
It is 1974, and in the Cold War paranoia of East and West Germany, it can be dangerous to know too much. But time is running out for Sophie Zimmermann. She is being hunted and the only way to survive is to find out the identity of The Man On The Other Side! In the style of classic 70s spy thrillers like Tinker Tailor Soldier Spy, The Ipcress File and Day Of The Jackal, The Man On The Other Side transports you back to a world of double crosses, of dark deeds in grey Eastern European cities and of danger lurking behind every kiss.
-4
Full of endless energy, Malik, Zadie and Zeke run, bounce, roll and romp, always on the lookout for interesting Treeborhood problems to solve. Malik is thoughtful, considerate and sometimes set in his ways (which can be a good thing when you’re problem-solving). His speedy, adventurous younger sister, Zadie, is a brainstormer extraordinaire, with ideas that range from silly to very smart. Zeke is the youngest sibling — a funny, curious cuddle-bug who loves to play and explore. Super, their grandmother, is the Superintendent and unofficial “Mayor” of the Treeborhood.
6
Marc Márquez is facing the toughest decision of his career. He will have to take drastic measures to win again. The series depicts in a straightforward way and in the first person a decisive year in Marc's life and career.
3

0
Natsumi is a literary editor married to a man who works at a rival publishing company. The childless couple spends their days working hard until he confesses that he’s having an affair. Though heart-broken, Natsumi meets a young post office worker and falls in love. This stylish love tale uses the alphabet to explore romance, marital stress, and the career woes of a woman in her 30s – from A2Z.
-1
Arjun is the ACP of Hyderabad, who gets involved in an accident which leads him to suffer partial memory loss. He must tackle his inner demons and confront external enemies who are trying to keep him from solving his friend and colleague Aryan Dev’s murder case. Eventually, Arjun solves the murder case and learns that Aryan has been killed by a man, who is a closeted homosexual. To stop Aryan from outing that man publicly, that man killed him.
-8
It tells the story of a teen girl from a Muslim Family who falls in love with a boy from a Hindu family.
0
Fresh out of national law university, Bassi arrives in Delhi as a young lawyer with dreams, ambition and friends. All he needs is some perspective and a lot of money but timing and bosses keep getting in his way. He relates the story of his odyssey with defining career decisions and celebrations of wins and losses, in the midst of the incredible comedy that has been his life.
3
It’s a hot summer day in Wonderville! Let’s join the Wonderstar friends during their wonderful summer adventures!
2
In Casablanca, Morocco in December 1941, a cynical American expatriate meets a former lover, with unforeseen complications.
-2
Young Dorothy finds herself in a magical world where she makes friends with a lion, a scarecrow and a tin man as they make their way along the yellow brick road to talk with the Wizard and ask for the things they miss most in their lives. The Wicked Witch of the West is the only thing that could stop them.
-1
Newspaper magnate, Charles Foster Kane is taken from his mother as a boy and made the ward of a rich industrialist. As a result, every well-meaning, tyrannical or self-destructive move he makes for the rest of his life appears in some way to be a reaction to that deeply wounding event.
-1
In the year before the 1904 St. Louis World's Fair, the four Smith daughters learn lessons of life and love, even as they prepare for a reluctant move to New York.
1
Tom and Jerry is an American animated franchise and series of comedy short films created in 1940 by William Hanna and Joseph Barbera. Best known for its 161 theatrical short films by Metro-Goldwyn-Mayer, the series centers on a friendship/rivalry (a love-hate relationship) between the title characters Tom, a cat, and Jerry, a mouse. Many shorts also feature several recurring characters.
1
The spoiled daughter of a Georgia plantation owner conducts a tumultuous romance with a cynical profiteer during the American Civil War and Reconstruction Era.
-3
Private Investigator Philip Marlowe is hired by wealthy General Sternwood regarding a matter involving his youngest daughter Carmen. Before the complex case is over, Marlowe sees murder, blackmail, deception, and what might be love.
-2
A husband and wife detective team takes on the search for a missing inventor and almost get killed for their efforts.
-1
A hard-working mother inches towards disaster as she divorces her husband and starts a successful restaurant business to support her spoiled daughter.
1
In this classic German thriller, Hans Beckert, a serial killer who preys on children, becomes the focus of a massive Berlin police manhunt. Beckert's heinous crimes are so repellant and disruptive to city life that he is even targeted by others in the seedy underworld network. With both cops and criminals in pursuit, the murderer soon realizes that people are on his trail, sending him into a tense, panicked attempt to escape justice.
-8
Fred C. Dobbs and Bob Curtin, both down on their luck in Tampico, Mexico in 1925, meet up with a grizzled prospector named Howard and decide to join with him in search of gold in the wilds of central Mexico. Through enormous difficulties, they eventually succeed in finding gold, but bandits, the elements, and most especially greed threaten to turn their success into disaster.
0
Unemployed Antonio is elated when he finally finds work hanging posters around war-torn Rome. However on his first day, his bicycle—essential to his work—gets stolen. His job is doomed unless he can find the thief. With the help of his son, Antonio combs the city, becoming desperate for justice.
-2
Grave robbing, torture, possessed nuns, and a satanic Sabbath: Benjamin Christensen's legendary film uses a series of dramatic vignettes to explore the scientific hypothesis that the witches of the Middle Ages suffered the same hysteria as turn-of-the-century psychiatric patients. But the film itself is far from serious-- instead it's a witches' brew of the scary, gross, and darkly humorous.
-2
A group of Anglican nuns, led by Sister Clodagh, are sent to a mountain in the Himalayas. The climate in the region is hostile and the nuns are housed in an odd old palace. They work to establish a school and a hospital, but slowly their focus shifts. Sister Ruth falls for a government worker, Mr. Dean, and begins to question her vow of celibacy. As Sister Ruth obsesses over Mr. Dean, Sister Clodagh becomes immersed in her own memories of love.
-1
David Huxley is waiting to get a bone he needs for his museum collection. Through a series of strange circumstances, he meets Susan Vance, and the duo have a series of misadventures which include a leopard called Baby.
-1
Brimming with action while incisively examining the nature of truth, "Rashomon" is perhaps the finest film ever to investigate the philosophy of justice. Through an ingenious use of camera and flashbacks, Kurosawa reveals the complexities of human nature as four people recount different versions of the story of a man's murder and the rape of his wife.
0
When a rich woman's ex-husband and a tabloid-type reporter turn up just before her planned remarriage, she begins to learn the truth about herself.
1
Richard Hanney has a rude awakening when a glamorous female spy falls into his bed - with a knife in her back. Having a bit of trouble explaining it all to Scotland Yard, he heads for the hills of Scotland to try to clear his name by locating the spy ring known as The 39 Steps.
-2
General Candy, who's overseeing an English squad in 1943, is a veteran leader who doesn't have the respect of the men he's training and is considered out-of-touch with what's needed to win the war. But it wasn't always this way. Flashing back to his early career in the Boer War and World War I, we see a dashing young officer whose life has been shaped by three different women, and by a lasting friendship with a German soldier.
3
In this classic drama, Vicky Page is an aspiring ballerina torn between her dedication to dance and her desire to love. While her imperious instructor, Boris Lermontov, urges to her to forget anything but ballet, Vicky begins to fall for the charming young composer Julian Craster. Eventually Vicky, under great emotional stress, must choose to pursue either her art or her romance, a decision that carries serious consequences.
1
Professor Barbenfouillis and five of his colleagues from the Academy of Astronomy travel to the Moon aboard a rocket propelled by a giant cannon. Once on the lunar surface, the bold explorers face the many perils hidden in the caves of the mysterious planet.
-3
The most important family in Hickoryville is (not surprisingly) the Hickorys, with sheriff Jim and his tough manly sons Leo and Olin. The timid youngest son, Harold, doesn't have the muscles to match up to them, so he has to use his wits to win the respect of his strong father and also the love of beautiful Mary.
6
Dictator Adenoid Hynkel tries to expand his empire while a poor Jewish barber tries to avoid persecution from Hynkel's regime.
-3
In this Dickens adaptation, orphan Pip discovers through lawyer Mr. Jaggers that a mysterious benefactor wishes to ensure that he becomes a gentleman. Reunited with his childhood patron, Miss Havisham, and his first love, the beautiful but emotionally cold Estella, he discovers that the elderly spinster has gone mad from having been left at the altar as a young woman, and has made her charge into a warped, unfeeling heartbreaker.
-6
On a train headed for England a group of travelers is delayed by an avalanche. Holed up in a hotel in a fictional European country, young Iris befriends elderly Miss Froy. When the train resumes, Iris suffers a bout of unconsciousness and wakes to find the old woman has disappeared. The other passengers ominously deny Miss Froy ever existed, so Iris begins to investigate with another traveler and, as the pair sleuth, romantic sparks fly.
-7
A dramatized account of a great Russian naval mutiny and a resultant public demonstration, showing support, which brought on a police massacre. The film had an incredible impact on the development of cinema and is a masterful example of montage editing.
3
A Martinique charter boat skipper gets mixed up with the underground French resistance operatives during WWII.
-1
In this sound-era silent film, a tramp falls in love with a beautiful blind flower seller.
0
Showman Jerry Travers is working for producer Horace Hardwick in London. Jerry demonstrates his new dance steps late one night in Horace's hotel room, much to the annoyance of sleeping Dale Tremont below. She goes upstairs to complain and the two are immediately attracted to each other. Complications arise when Dale mistakes Jerry for Horace.
-4
Looney Tunes is an American animated series of comedy short films produced by Warner Bros. from 1929 to 1969 during the golden age of American animation, alongside its sister series Merrie Melodies.
1
When a store clerk organizes a contest to climb the outside of a tall building, circumstances force him to make the perilous climb himself.
-1
Harold Lamb is so excited about going to college that he has been working to earn spending money, practicing college yells, and learning a special way of introducing himself that he saw in a movie. When he arrives at Tate University, he soon becomes the target of practical jokes and ridicule. With the help of his one real friend Peggy, he resolves to make every possible effort to become popular.
0
During the Nazi occupation of Poland, an acting troupe becomes embroiled in a Polish soldier's efforts to track down a German spy.
-1
In a Gothic-styled monastery, a monk named Javier sees the face of another monk, Juan, and suddenly attempts to bludgeon him to death with a heavy crucifix. Both men then relate their own versions of a story of romantic rivalry between them.
-1
When Prince Ahmad is blinded and cast out of Bagdad by the nefarious Jaffar, he joins forces with the scrappy thief Abu to win back his royal place, as well as the heart of a beautiful princess.
2
Karl Anton Verloc and his wife own a small cinema in a quiet London suburb where they live seemingly happily. But Mrs. Verloc does not know that her husband has a secret that will affect their relationship and threaten her teenage brother's life.
1
The story of courtesan and dance-hall girl Emma Hamilton, including her relationships with Sir William Hamilton and Admiral Horatio Nelson and her rise and fall, set during the Napoleonic Wars.
-1
A concert pianist with amnesia fights to regain her memory.
0
The family of a Parisian shop-owner spends a day in the country. The daughter falls in love with a man at the inn, where they spend the day.
0
The Tramp struggles to live in modern industrial society with the help of a young homeless woman.
-1
In this hand-colored short, a magician and his assistant do a series of magic tricks, including making potted plants appear, among others. Melies played the magician, and the actor Manuel played his assistant.
0
An overworked farmhand who works also at the adjacent hotel dreams of marrying the village belle.
1
During the Nazi occupation of Rome in 1944, the leader of the Resistance is chased by the Nazis as he seeks refuge and a way to escape.
-1
London. A mysterious serial killer brutally murders young blond women by stalking them in the night fog. One foggy, sinister night, a young man who claims his name is Jonathan Drew arrives at the guest house run by the Bunting family and rents a room.
-5
Things get tough for Carol and her showgirl pals, Trixie and Polly, when the Great Depression kicks in and all the Broadway shows close down. Wealthy songwriter Brad saves the day by funding a new Depression-themed musical for the girls to star in, but when his stuffy high-society brother finds out and threatens to disown Brad, Carol and her gold-digging friends scheme to keep the show going, hooking a couple of millionaires along the way.
0
Louisa May Alcott's autobiographical account of her life with her three sisters in Concord Mass in the 1860s. With their father fighting in the civil war, the sisters: Jo, Meg, Amy and Beth are at home with their mother - a very outspoken women for her time. The story is of how the sisters grow up, find love and find their place in the world.
1
Returning home from a shopping trip to a nearby town, bored suburban housewife Laura Jesson is thrown by happenstance into an acquaintance with virtuous doctor Alec Harvey. Their casual friendship soon develops during their weekly visits into something more emotionally fulfilling than either expected, and they must wrestle with the potential havoc their deepening relationship would have on their lives and the lives of those they love.
-1
Rocksford, New England, 1672. Puritan witch hunter Jonathan Wooley is cursed after burning a witch at the stake: his descendants will never find happiness in their marriages. At present, politician Wallace Wooley, who is running for state governor, is about to marry his sponsor's daughter.
-1
Belfast police conduct a door-to-door manhunt for an IRA gunman wounded in a daring robbery.
1
Using every known means of transportation, several savants from the Geographic Society undertake a journey through the Alps to the Sun which finishes under the sea.
0
An European immigrant endures a challenging voyage only to get into trouble as soon as he arrives in New York.
-2
At the Café des Poètes in Paris, a fight breaks out between the poet Orphée and a group of resentful upstarts. A rival poet, Cègeste, is killed, and a mysterious princess insists on taking Orpheus and the body away in her Rolls-Royce. Orphée soon finds himself in the underworld, where the Princess announces that she is, in fact, Death. Orpheus escapes in the car back to the land of the living, only to become obsessed with the car radio.
-6
A classic of the silent age, this film tells the story of the doomed but ultimately canonized 15th-century teenage warrior. On trial for claiming she'd spoken to God, Jeanne d'Arc is subjected to inhumane treatment and scare tactics at the hands of church court officials. Initially bullied into changing her story, Jeanne eventually opts for what she sees as the truth. Her punishment, a famously brutal execution, earns her perpetual martyrdom.
-3
In the early days of World War II, a German U-boat is sunk in Canada's Hudson Bay. Hoping to evade capture, a small band of German soldiers led by commanding officer Lieutenant Hirth attempts to cross the border into the United States, which has not yet entered the war and is officially neutral. Along the way, the German soldiers encounter brave men such as a French-Canadian fur trapper, Johnnie, a leader of a Hutterite farming community, Peter, an author, Philip and a soldier, Andy Brock.
0
Noriko is perfectly happy living at home with her widowed father, Shukichi, and has no plans to marry -- that is, until her aunt Masa convinces Shukichi that unless he marries off his 27-year-old daughter soon, she will likely remain alone for the rest of her life. When Noriko resists Masa's matchmaking, Shukichi is forced to deceive his daughter and sacrifice his own happiness to do what he believes is right.
3
When linguistics professor Henry Higgins boasts that he can pass off Cockney flower girl Eliza Doolittle as a princess with only six months' training, Colonel George Pickering takes him up on the bet. Eliza moves into Higgins's home and begins her rigorous training after the professor comes to a financial agreement with her dustman father, Alfred. But the plucky young woman is not the only one undergoing a transformation.
0
The Naked City portrays the police investigation that follows the murder of a young model. A veteran cop is placed in charge of the case and he sets about, with the help of other beat cops and detectives, finding the girl's killer.
-2
Traveler Allan Gray arrives in the village of Courtempierre and takes lodgings in a small inn. Gray has a great interest in the supernatural, particularly vampires. He's barely settled in when he feels a sinister force descending upon him. In the night an old man enters his room to tell him 'she must not die'. One of the old man's daughters, Leone, has been bitten by a vampire. In order to break the curse, Gray and Leone's sister Gisele must find the original vampire and drive a stake through her heart.
-3
This pioneering documentary film depicts the lives of the indigenous Inuit people of Canada's northern Quebec region. Although the production contains some fictional elements, it vividly shows how its resourceful subjects survive in such a harsh climate, revealing how they construct their igloo homes and find food by hunting and fishing. The film also captures the beautiful, if unforgiving, frozen landscape of the Great White North, far removed from conventional civilization.
-1
Winner of four Academy Awards, including Best Picture and Best Actor, Sir Laurence Olivier’s Hamlet continues to be the most compelling version of Shakespeare’s beloved tragedy. Olivier is at his most inspired—both as director and as the melancholy Dane himself—as he breathes new life into the words of one of the world’s greatest dramatists.
4
Speedy loses his job as a soda jerk, then spends the day with his girl at Coney Island. He then becomes a cab driver and delivers Babe Ruth to Yankee Stadium, where he stays to see the game. When the railroad tries to run the last horse-drawn trolley (operated by his girl's grandfather) out of business, Speedy organizes the neighborhood old-timers to thwart their scheme.
-1

0
In the ruins of post-WWII Berlin, a twelve-year-old boy is left to his own devices in order to help provide for his family.
-1
A woman suffers a nervous breakdown and an oppressive mother before being freed by the love of a man she meets on a cruise.
-2
Timeworn Joe Collins and his fellow inmates live under the heavy thumb of the sadistic, power-tripping guard Captain Munsey. Only Collins' dreams of escape keep him going, but how can he possibly bust out of Munsey's chains?
-1
An all-knowing interlocutor guides us through a series of affairs in Vienna, 1900. A soldier meets an eager young lady of the evening. Later he has an affair with a young lady, who becomes a maid and does similarly with the young man of the house. The young man seduces a married woman. On and on, spinning on the gay carousel of life.
1
After a detective is assaulted by thugs and placed in an asylum run by Professor Baum, he observes the professor's preoccupation with another patient, the criminal genius Dr. Mabuse the hypnotist. When Mabuse's notes are found to be connected with a rash of recent crimes, Commissioner Lohmann must determine how Mabuse is communicating with the criminals, despite conflicting reports on the doctor's whereabouts, and capture him for good.
-3
Georgia Garrett is sent by jealous wife Elvira Kent on an ocean cruise to masquerade as herself while she secretly stays home to catch her husband cheating. Meanwhile equally suspicious husband Michael Kent has sent a private eye on the same cruise to catch his wife cheating. Love and confusion ensues along with plenty of musical numbers.
-4
A green-skinned demon places a woman and two courtiers into a flaming cauldron.
-1
This character study joins the painter at the height of his fame in 1642, when his adored wife suddenly dies and his work takes a dark, sardonic turn that offends his patrons. By 1656, he is bankrupt but consoles himself with the company of pretty maid Hendrickje, whom he's unable to marry. Their relationship brings ostracism but also some measure of happiness. The final scenes find him in his last year, 1669, physically enfeebled but his spirit undimmed.
1
The European war was only beginning to erupt across national borders. Johnny Jones, an American crime reporter dispatched by his New York publisher to put a fresh spin on the drowsy dispatches emanating from overseas, has a nose for a good story—which promptly leads him to the crime of fascism and Nazi Germany's designs on European conquest. In attempting to learn more about a seemingly noble peace effort, Jones walks into the middle of an assassination, uncovers a spy ring and—not entirely coincidentally—falls in love.
4
In the midst of the Hundred Years' War, the young King Henry V of England embarks on the conquest of France in 1415.
0
In 1850s Louisiana, the willfulness of a tempestuous Southern belle threatens to destroy all who care for her.
-1
An intellectually disabled giant and his level headed guardian find work at a sadistic cowboy's ranch in depression era America.
-1
When 9-year-old orphan Oliver Twist dares to ask his cruel taskmaster, Mr. Bumble, for a second serving of gruel, he's hired out as an apprentice. Escaping that dismal fate, young Oliver falls in with the street urchin known as the Artful Dodger and his criminal mentor, Fagin. When kindly Mr. Brownlow takes Oliver in, Fagin's evil henchman Bill Sikes plots to kidnap the boy.
-7
While vacationing in St. Moritz, a British couple receive a clue to an imminent assassination attempt, only to learn that their daughter has been kidnapped to keep them quiet.
1
The film is about an unemployed banker, Henri Verdoux, and his sociopathic methods of attaining income. While being both loyal and competent in his work, Verdoux has been laid-off. To make money for his wife and child, he marries wealthy widows and then murders them. His crime spree eventually works against him when two particular widows break his normal routine.
-1
When a woman attempts to kill her uncaring husband, prosecutor Adam Bonner gets the case. Unfortunately for him his wife Amanda (who happens to be a lawyer too) decides to defend the woman in court. Amanda uses everything she can to win the case and Adam gets mad about it. As a result, their perfect marriage is disturbed by everyday quarrels.
-4
The story of a gentle-hearted beast in love with a simple and beautiful girl. She is drawn to the repellent but strangely fascinating Beast, who tests her fidelity by giving her a key, telling her that if she doesn't return it to him by a specific time, he will die of grief. She is unable to return the key on time, but it is revealed that the Beast is the genuinely handsome one. A simple tale of tragic love that turns into a surreal vision of death, desire, and beauty.
2
Charlie, a wandering tramp, becomes a circus handyman - soon the star of the show - and falls in love with the circus owner's stepdaughter.
-1
A disgraced officer risks his life to help his childhood friends in battle.
-2
A train speeds through the country on its way to Berlin, then gradually slows down as it pulls into the station. It is very early in the morning, about 5:00 AM, and the great city is mostly quiet. But before long there are some signs of activity, and a few early risers are to be seen on the streets. Soon the new day is well underway. It's just a typical day in Berlin, but a day full of life and energy.
3
After the end of World War II Karen, a young displaced woman from Lithuania, marries Italian fisherman Antonio to get away from her internment camp. But the life on Antonio's island, Stromboli, threatened by its volcano, is a tough one and Karen cannot get used to it.
0
Lulu is a young woman so beautiful and alluring that few can resist her siren charms. The men drawn into her web include respectable newspaper publisher Dr. Ludwig Schön, his musical producer son Alwa, circus performer Rodrigo Quast, and seedy old Schigolch. When Lulu's charms inevitably lead to tragedy, the downward spiral encompasses them all.
3
The Tramp is an escaped convict who is mistaken as a pastor in a small town church.
-2
Six vignettes follow the Allied invasion from July 1943 to winter 1944, from Sicily north to Venice.
0
Country doctor Jack Jackson is called in to treat the Sick-Little-Well-Girl, who has been making Dr. Saulsbourg and his sanitarium very rich after years of unsuccessful treatment.
0
Pépé le Moko, one of France's most wanted criminals, hides out in the Casbah section of Algiers. He knows police will be waiting for him if he tries to leave the city. When Pépé meets Gaby, a gorgeous woman from Paris who is lost in the Casbah, he falls for her.
-2
Bob Ford murders his best friend Jesse James in order to obtain a pardon that will free him to marry his girlfriend Cynthy. The guilt-stricken Ford soon finds himself greeted with derision and open mockery throughout town. He travels to Colorado to try his hand at prospecting in hopes that marriage with Cynthy is still in the cards.
0
Set during the early part of his reign, Ivan faces betrayal from the aristocracy and even his closest friends as he seeks to unite the Russian people.  Sergei Eisenstein's final film, this is the first part of a three-part biopic of Tsar Ivan IV of  Russia, which was never completed due to the producer's dissatisfaction with Eisenstein's attempts to use forbidden experimental filming techniques and excessive cost overruns.  The second part was completed but not released for a decade after Eisenstein's death and a change of heart in the USSR government toward his work; the third part was only in its earliest stage of filming when shooting was stopped altogether.
-5
Roddy, first son of the rich Berwick family, is expelled from school when he takes the blame for his friend Tim's charge. His family sends him away and all of his friends leave him alone. Through many life choices that don't work out in his favor, Roddy begins to find his life slowly spiraling out of his control.
1
Dennis, owner of a rubber plantation in Cochinchina, is involved with Vantine, who left Saigon to evade the police; but when his new surveyor, Gary, arrives along with his refined but sensual wife, Barbara, Dennis gets infatuated by her.
0
The first part of Kenji Mizoguchi's two-part epic 'The 47 Ronin'.
0
Rival reporters Sam and Tess fall in love and get married, only to find their relationship strained when Sam comes to resent Tess' hectic lifestyle.
-4
When Marie St. Clair believes she has been jilted by her artist fiance Jean, she decides to leave for Paris on her own. After spending a year in the city as a mistress of the wealthy Pierre Revel, she is reunited with Jean by chance. This leaves her with the choice between a glamorous life in Paris, and the true love she left behind.
3
Mr. and Mrs. Bennet have five unmarried daughters, and Mrs. Bennet is especially eager to find suitable husbands for them. When the rich single gentlemen Mr. Bingley and Mr. Darcy come to live nearby, the Bennets have high hopes. But pride, prejudice and misunderstandings all combine to complicate their relationships and to make happiness difficult.
2
An American doughboy, stationed in France during the Great War, goes on a daring mission behind enemy lines and becomes a hero.
2
Little Women is a coming-of-age drama tracing the lives of four sisters: Meg, Jo, Beth and Amy. During the American Civil War, the girls father is away serving as a minister to the troops. The family, headed by their beloved Marmee, must struggle to make ends meet, with the help of their kind and wealthy neighbor, Mr. Laurence, and his high spirited grandson Laurie.
2
The story of the HMS Torrin, from it's construction to its sinking in the Mediterranean during action in World War II. The ship's first and only commanding officer is Captain E.V. Kinross, who trains his men not only to be loyal to him and the country, but—most importantly—to themselves.
0
A semi-documentary experimental 1930 German silent film created by amateurs with a small budget. With authentic scenes of the metropolis city of Berlin, it's the first film from the later famous screenwriters/directors Billy Wilder and Fred Zinnemann.
3
Ayako becomes the mistress of her boss so she can pay her father's debt and prevent him from going to prison for embezzlement.
-3
The Tramp and his dog companion struggle to survive in the inner city.
-2
An English mystery novelist invites a medium to his home, so she may conduct a séance for a small gathering. The writer hopes to gather enough material for the book he's working on, as well as to expose the medium as a charlatan. However, proceedings take an unexpected turn, resulting in a chain of supernatural events being set into motion that wreak havoc on the man's present marriage.
-2
After amusements working in a restaurant, Charlie uses his lunch break to go roller skating.
-1
Ballet star Petrov arranges to cross the Atlantic aboard the same ship as the dancer and musical star he's fallen for but barely knows. By the time the ocean liner reaches New York, a little white lie has churned through the rumour mill and turned into a hot gossip item—that the two celebrities are secretly married.
-2
A cocky Air Force pilot stationed in England during World War II falls for a daring female flier.  After he's killed on a mission, he is sent back to Earth by heavenly General with a new assignment.
-1
A father takes his family for an outing, which turns out to be a ridiculous trial.
-1
At an upper class golf resort, a tramp discovers he's the lookalike of a rich man with a beautiful, unhappy wife.
0
A bricklayer and his wife clash over his end-of-the-week partying.
-1
In a series of simple and joyous vignettes, director Roberto Rossellini and co-writer Federico Fellini lovingly convey the universal teachings of the People’s Saint: humility, compassion, faith, and sacrifice. Gorgeously photographed to evoke the medieval paintings of Saint Francis’s time, and cast with monks from the Nocera Inferiore Monastery, The Flowers of St. Francis is a timeless and moving portrait of the search for spiritual enlightenment.
9
The crew of the merchant ship Glencairn hope to survive a transatlantic crossing during World War II. Adapted from four Eugene O'Neill one-act plays.
0
An aging actor returns to a small town with his troupe and reunites with his former lover and illegitimate son, a scenario that enrages his current mistress and results in heartbreak for all.
-1
Mr. Pest tries several theatre seats before winding up in front in a fight with the conductor. He is thrown out. In the lobby he pushes a fat lady into a fountain and returns to sit down by Edna. Mr. Rowdy, in the gallery, pours beer down on Mr. Pest and Edna. He attacks patrons, a harem dancer, the singers Dot and Dash, and a fire-eater.
-4
The King of Kings is the Greatest Story Ever Told as only Cecil B. DeMille could tell it. In 1927, working with one of the biggest budgets in Hollywood history, DeMille spun the life and Passion of Christ into a silent-era blockbuster. Featuring text drawn directly from the Bible, a cast of thousands, and the great showman’s singular cinematic bag of tricks, The King of Kings is at once spectacular and deeply reverent—part Gospel, part Technicolor epic.
4
A group of German infantrymen of the First World War live out their lives in the trenches of France. They find brief entertainment and relief in a village behind the lines, but primarily terror fills their lives as the attacks on and from the French army ebb and flow. One of the men, Karl, goes home on leave only to discover the degradation forced on his family by wartime poverty. He returns to the lines in time to face an enormous attack by French tanks.
-5
An irresponsible young millionaire changes his tune when he falls for the daughter of a downtown minister.
-2
In this reworking of "No, No, Nanette," wealthy heiress Nanette Carter bets her uncle $25,000 that she can say "no" to everything for 48 hours. If she wins, she can invest the money in a Broadway show featuring songs written by her beau, and of course, in which she will star. Trouble is, she doesn't realize her uncle's been wiped out by the Stock Market crash.
0
A beautiful singer and a battling priest try to reform a Barbary Coast saloon owner in the days before the great earthquake and subsequent fires in 1906.
3
A young playwright spends his last cent to pay the past-due rent for the pretty dancer who's his boarding house next-door neighbor. Soon after, he winds up at a gambling club, where he wins big - just before a police raid.
2
In London at the turn of the century, underworld kingpin Mack the Knife marries Polly Peachum without the knowledge of her father, the equally enterprising 'king of the beggars'.
-1
A hypochondriac vacations in the tropics for the fresh air - and finds himself in the middle of a revolution instead.
1
A bully browbeats his wife and children until he meets his match in the woman who raised him.
-1
The world famous violinist Holger Brandt comes back to his family after a tour. He and his wife have been married for many years, but their love has faded. Their young daughter gets a new piano teacher, Anita Hoffman. Mr. Brandt falls in love with her and together they go on a world tour, but he soon discovers that the feelings for his wife that he thought were dead are not.
1
A tipsy doctor encounters his patient sleepwalking on a building ledge, high above the street.
1
The picture tells of a mine disaster where German miners rescue French miners from an undergound fire and explosion. The story takes place in the Lorraine/Saar region, along the border between France and Germany.
-1
A penniless troubadour consults witch Carabosse about his future, but offends her by paying with a bag of sand. He evades the witch's revenge, and saves the beautiful princess.
0
Our hero is infatuated with a girl in the next office. In order to drum up business for her boss, an osteopath, he gets an actor friend to pretend injuries that the doctor "cures", thereby building a reputation. When he hears that his girl is marrying another, he decides to commit suicide and spends the bulk of the film in thrilling, failed attempts.
0
A gangster tries to find redemption with the inadvertent help of an innocent shop girl and his jealous girlfriend will do anything to keep him.
-1
This short was made as a wedding present for Lord and Lady Mountbatten. In it, Lady Mountbatten has a valuable pearl necklace, which a very large number of crooks wants to steal.
-1
The woman who will become Catherine the Great marries into the Russian royal family when she weds Grand Duke Peter, the nephew of Empress Elizabeth. Although the couple has moments of contentment, Peter's cruel and erratic behavior causes a rift between him and Catherine. Mere months after Peter succeeds his aunt as the ruler of Russia, a revolt is brewing, and Catherine is poised to ascend to the throne as the country's new empress.
1
After a wild bachelor party, our hero finds himself aboard a sailing vessel where he encounters numerous adventures. In a dream sequence, he fantasizes that the ship is seized by a band of female pirates.
0
A young man in New York has exasperated his father because of his constant carousing and irresponsibility, so his father sends him to his uncle's ranch in the west. The young man arrives in the town of Piute Pass, which is being terrorized by Tiger Lip Tompkins and his gang, the Masked Angels. The Easterner befriends a young woman whose father is being held captive by Tompkins, and he decides to help her.
0
Idealistic young Barbara is the daughter of rich weapons manufacturer Andrew Undershaft. She rebels against her estranged father by joining the Salvation Army. Wooed by professor-turned-preacher Adolphus Cusins, Barbara eventually grows disillusioned with her causes and begins to see things from her father's perspective.
-1
A wall full of advertising posters comes to life.
0
A magician does tricks with the aid of his assistant, the Human Pump.
-1
A magician along with three doppelgangers perform an elaborate balancing act.
0
A documentary covering the 1948 Olympic Games in St. Moritz, Switzerland, and London, England.
0
A profile of the 1928 Olympic Games in St. Moritz, Switzerland.
0
In Old California, a young Frenchman transporting a chest full of silver travels by stagecoach to San Marino, to complete a complex business deal. The stagecoach is ambushed by a band of men whose leader, a mysterious bandido known as Cisco (Gilbert Roland), claims the silver is money that was extorted over a period of years from the poor people of California. The bandits take the money and escape, but Cisco stays behind with the Frenchman -- who, it turns out, is actually a lovely mademoiselle, Jeanne DuBois (Ramsay Ames). She follows him to the bandit's lair, where Cisco tells her he intends to return the stolen money to the poor people. The two rivals are irresistibly drawn to each other, however, and as a token of love Cisco offers to return the money to Jeanne instead. Now she must decide whether to complete her business deal, or to comply with Cisco's wishes and redistribute the wealth.
-3
A young adventurer trades places with a European prince and falls in love above his station.
0
Bulldog Drummond forms a gang to rescue his wife and thwart his nemesis, Carl Peterson.
-2
Boy trying to impress girl, gets chased by her father and the police right into an ongoing marathon.
2
Suburban neighbors join together to build a garden shed, but through carelessness, wind up ruining the garden, as well as the laundry, which is drying in the yard.
-1
Sir Percy is forced to return to France one last time, to rescue his wife from the clutches of the sinister Robespierre. It clearly is a trap, but nothing will keep the good old Pimpernel from carrying out his mission. He is up against the usual clods and dolts, after all.
0
Christmas has arrived. As a little girl and her parents enter the room, the little girl finds all kinds of toys under the Christmas Tree. She immediately throws her old doll aside and starts playing with her new dolls. But that night she has a dream. Or maybe it isn't a dream?
0
A documentary on the Olympic games of ancient Greece, made during the 1924 games.
0
A documentary covering the Olympic Games at Chamonix in 1924.
0
While running away from his girl's father, Harold's car breaks down in front of a dance hall run by crooks. Harold has to not only stay one step ahead of the girl's father, but also those trying to rob them of everything they have.
-2
A documentary on the 1928 Olympic Games in Amsterdam.
0
An Irish girl comes to America disguised as a boy to claim a fortune left to her brother who has died.
0
A young opera singer finds her career stalled because of her cold and passionless performances, until she finds romance with a handsome admirer.
1
A documentary on the 1924 Olympic Game in Paris.
0
Charlie Chaplin’s comedic masterwork—which charts a prospector’s search for fortune in the Klondike and his discovery of romance (with the beautiful Georgia Hale)—forever cemented the iconic status of Chaplin and his Little Tramp character. Shot partly on location in the Sierra Nevadas and featuring such timeless gags as the dance of the dinner rolls and the meal of boiled shoe leather, The Gold Rush is an indelible work of heartwarming hilarity. This special edition features Chaplin’s definitive 1942 version, for which the director added new music and narration.
5
Humanity finds a mysterious object buried beneath the lunar surface and sets off to find its origins with the help of HAL 9000, the world's most advanced super computer.
0
An ex-fighter pilot forced to take over the controls of an airliner when the flight crew succumbs to food poisoning.
0
A mentally unstable Vietnam War veteran works as a night-time taxi driver in New York City where the perceived decadence and sleaze feed his urge for violent action.
-2
The story of British officer T.E. Lawrence's mission to aid the Arab tribes in their revolt against the Ottoman Empire during the First World War. Lawrence becomes a flamboyant, messianic figure in the cause of Arab unity but his psychological instability threatens to undermine his achievements.
-1
Near a gray and unnamed city is the Zone, a place guarded by barbed wire and soldiers, and where the normal laws of physics are victim to frequent anomalies. A stalker guides two men into the Zone, specifically to an area in which deep-seated desires are granted.
-1
Fred, Daphne, Velma, Shaggy, and the talking dog, Scooby-Doo, travel on the Mystery Machine van, in search of weird mysteries to solve.
-3
A young neurosurgeon inherits the castle of his grandfather, the famous Dr. Victor von Frankenstein. In the castle he finds a funny hunchback, a pretty lab assistant and the elderly housekeeper. Young Frankenstein believes that the work of his grandfather was delusional, but when he discovers the book where the mad doctor described his reanimation experiment, he suddenly changes his mind.
0
A petty criminal fakes insanity to serve his sentence in a mental ward rather than prison. He soon finds himself as a leader to the other patients—and an enemy to the cruel, domineering nurse who runs the ward.
-8
The misadventures of two modern-day Stone Age families, the Flintstones and the Rubbles.
0
A lonely widowed housewife does her daily chores and takes care of her apartment where she lives with her teenage son, and turns the occasional trick to make ends meet. Slowly, her ritualized daily routines begin to fall apart.
-5
Kanji Watanabe is a middle-aged man who has worked in the same monotonous bureaucratic position for decades. Learning he has cancer, he starts to look for the meaning of his life.
-1
In a near-future Britain, young Alexander DeLarge and his pals get their kicks beating and raping anyone they please. When not destroying the lives of others, Alex swoons to the music of Beethoven. The state, eager to crack down on juvenile crime, gives an incarcerated Alex the option to undergo an invasive procedure that'll rob him of all personal agency. In a time when conscience is a commodity, can Alex change his tune?
-3
A samurai answers a village's request for protection after he falls on hard times. The town needs protection from bandits, so the samurai gathers six others to help him teach the people how to defend themselves, and the villagers provide the soldiers with food.
0
In 1927 Hollywood, a silent film production company and cast make a difficult transition to sound.
0
An aging group of outlaws look for one last big score as the "traditional" American West is disappearing around them.
-1
Based on the true story of would-be Brooklyn bank robbers John Wojtowicz and Salvatore Naturale. Sonny and Sal attempt a bank heist which quickly turns sour and escalates into a hostage situation and stand-off with the police. As Sonny's motives for the robbery are slowly revealed and things become more complicated, the heist turns into a media circus.
-4
During the 1972 elections, two reporters' investigation sheds light on the controversial Watergate scandal that compels President Nixon to resign from his post.
-2
On a special inner city street, the inhabitants—human and muppet—teach preschoolers basic educational and social concepts using comedy, cartoons, games, and songs.
0
A robust adventure about two British adventurers who take over primitive Kafiristan as "godlike" rulers, meeting a tragic end through their desire for a native girl. Based on a short story by Rudyard Kipling.
0
In late 1890s Wyoming, Butch Cassidy is the affable, clever and talkative leader of the outlaw Hole in the Wall Gang. His closest companion is the laconic dead-shot Sundance Kid. As the west rapidly becomes civilized, the law finally catches up to Butch, Sundance and their gang.  Chased doggedly by a special posse, the two decide to make their way to South America in hopes of evading their pursuers once and for all.
-1
Hoping to find a sense of connection to her late mother, Gorgeous takes a trip to the countryside to visit her aunt at their ancestral house. She invites her six friends, Prof, Melody, Mac, Fantasy, Kung Fu, and Sweet, to join her. The girls soon discover that there is more to the old house than meets the eye.
2
In the film that launched the James Bond saga, Agent 007 battles mysterious Dr. No, a scientific genius bent on destroying the U.S. space program. As the countdown to disaster begins, Bond must go to Jamaica, where he encounters beautiful Honey Ryder, to confront a megalomaniacal villain in his massive island headquarters.
-2
A fading southern belle tries to build a new life with her sister in New Orleans.
0
Inside the Kit Kat Club of 1931 Berlin, starry-eyed singer Sally Bowles and an impish emcee sound the clarion call to decadent fun, while outside a certain political party grows into a brutal force.
-1
Matthew Bennell notices that several of his friends are complaining that their close relatives are in some way different. When questioned later they themselves seem changed, as they deny everything or make lame excuses. As the invaders increase in number they become more open and Bennell, who has by now witnessed an attempted 'replacement', realises that he and his friends must escape or suffer the same fate.
-6
Meet George Jetson and his quirky family: wife Jane, son Elroy and daughter Judy. Living in the automated, push-button world of the future hasn't made life any easier for the harried husband and father, who gets into one comical misadventure after another!
-1
A small-time thief steals a car and impulsively murders a motorcycle policeman. Wanted by the authorities, he attempts to persuade a girl to run away to Italy with him.
-3
World War II is raging, and an American general has been captured and is being held hostage in the Schloss Adler, a Bavarian castle that's nearly impossible to breach. It's up to a group of skilled Allied soldiers to liberate the general before it's too late.
-2
In the 23rd century, inhabitants of a domed city freely experience all of life's pleasures — but no one is allowed to live past 30. Citizens can try for a chance at being "renewed" in a civic ceremony on their 30th birthday. Escape is the only other option.
2
A con man comes to an Iowa town with a scam using a boy's marching band program, but things don't go according to plan.
-1
The life of boxer Jake LaMotta, whose violence and temper that led him to the top in the ring destroyed his life outside of it.
1
The elderly Shukishi and his wife, Tomi, take the long journey from their small seaside village to visit their adult children in Tokyo. Their elder son, Koichi, a doctor, and their daughter, Shige, a hairdresser, don't have much time to spend with their aged parents, and so it falls to Noriko, the widow of their younger son who was killed in the war, to keep her in-laws company.
-2
An alcoholic ex-football player drinks his days away, having failed to come to terms with his sexuality and his real feelings for his football buddy who died after an ambiguous accident. His wife is crucified by her desperation to make him desire her: but he resists the affections of his wife. His reunion with his father—who is dying of cancer—jogs a host of memories and revelations for both father and son.
-3
In 25 AD,Judah Ben-Hur, a Jew in ancient Judea, opposes the occupying Roman empire.  Falsely accused by a Roman childhood friend-turned-overlord of trying to kill the Roman governor, he is put into slavery and his mother and sister are taken away as prisoners.  Three years later and freed by a grateful Roman galley commander whom he has rescued from drowning, he becomes an expert charioteer for Rome, all the while plotting to return to Judea, find and rescue his family, and avenge himself on his former friend.  All the while, the form and work of Jesus move in the background of his life...
-2
When a destructive space entity is spotted approaching Earth, Admiral Kirk resumes command of the Starship Enterprise in order to intercept, examine, and hopefully stop it.
-1
Humbert Humbert is a middle-aged British novelist who is both appalled by and attracted to the vulgarity of American culture. When he comes to stay at the boarding house run by Charlotte Haze, he soon becomes obsessed with Lolita, the woman's teenaged daughter.
-2
First time father Henry Spencer tries to survive his industrial environment, his angry girlfriend, and the unbearable screams of his newly born mutant child.
-3
A serial killer brutally slays and dismembers several gay men in New York's S&M and leather districts. The young police officer Steve Burns is sent undercover onto the streets as a decoy for the murderer. Working almost completely isolated from his department, he has to learn and practice the complex rules and signals of this little society.
-6
Frank Hart is a pig. He takes advantage in the grossest manner of the women who work with him. When his three assistants manage to trap him in his own house they assume control of his department and productivity leaps, but just how long can they keep Hart tied up?
0
Johan and Marianne are married and seem to have it all. Their happiness, however, is a façade for a troubled relationship, which becomes even rockier when Johan admits that he's having an affair. Before long, the spouses separate and move towards finalizing their divorce, but they make attempts at reconciling. Even as they pursue other relationships, Johan and Marianne realize that they have a significant bond, but also many issues that hinder that connection.
-1
When a theater troupe's master visits his old flame, he unintentionally sets off a chain of unexpected events with devastating consequences.
-1
Norma Rae is a southern textile worker employed in a factory with intolerable working conditions. This concern about the situation gives her the gumption to be the key associate to a visiting labor union organizer. Together, they undertake the difficult, and possibly dangerous, struggle to unionize her factory.
-4
Mild-mannered Clark Kent works as a reporter at the Daily Planet alongside his crush, Lois Lane. Clark must summon his superhero alter-ego when the nefarious Lex Luthor launches a plan to take over the world.
-1
The Nazis, exasperated at the number of escapes from their prison camps by a relatively small number of Allied prisoners, relocate them to a high-security 'escape-proof' camp to sit out the remainder of the war. Undaunted, the prisoners plan one of the most ambitious escape attempts of World War II. Based on a true story.
-2
After Drax Industries' Moonraker space shuttle is hijacked, secret agent James Bond is assigned to investigate, traveling to California to meet the company's owner, the mysterious Hugo Drax. With the help of scientist Dr. Holly Goodhead, Bond soon uncovers Drax's nefarious plans for humanity, all the while fending off an old nemesis, Jaws, and venturing to Venice, Rio, the Amazon...and even outer space.
-3
Bilbo Baggins the Hobbit was just minding his own business, when his occasional visitor Gandalf the Wizard drops in one night. One by one, a whole group of dwarves drop in, and before he knows it, Bilbo has joined their quest to reclaim their kingdom, taken from them by the evil dragon Smaug. The only problem is that Gandalf has told the dwarves that Bilbo is an expert burglar, but he isn't...
-1
On the planet Ygam, the Draags, extremely technologically and spiritually advanced blue humanoids, consider the tiny Oms, human beings descendants of Terra's inhabitants, as ignorant animals. Those who live in slavery are treated as simple pets and used to entertain Draag children; those who live hidden in the hostile wilderness of the planet are periodically hunted and ruthlessly slaughtered as if they were vermin.
-2
Guido Anselmi, a film director, finds himself creatively barren at the peak of his career. Urged by his doctors to rest, Anselmi heads for a luxurious resort, but a sorry group gathers—his producer, staff, actors, wife, mistress, and relatives—each one begging him to get on with the show. In retreat from their dependency, he fantasizes about past women and dreams of his childhood.
-4
The classic story of English POWs in Burma forced to build a bridge to aid the war effort of their Japanese captors. British and American intelligence officers conspire to blow up the structure, but Col. Nicholson , the commander who supervised the bridge's construction, has acquired a sense of pride in his creation and tries to foil their plans.
1
A robot malfunction creates havoc and terror for unsuspecting vacationers at a futuristic, adult-themed amusement park.
-2
A criminal organization has obtained two nuclear bombs and are asking for a 100 million pound ransom in the form of diamonds in seven days or they will use the weapons. The secret service sends James Bond to the Bahamas to once again save the world.
-2
Diamonds are stolen only to be sold again in the international market. James Bond infiltrates a smuggling mission to find out who's guilty. The mission takes him to Las Vegas where Bond meets his archenemy Blofeld.
-2
A young nurse, Alma, is put in charge of Elisabeth Vogler: an actress who is seemingly healthy in all respects, but will not talk. As they spend time together, Alma speaks to Elisabeth constantly, never receiving any answer. The time they spend together only strengthens the crushing realization that one does not exist.
1
12 American military prisoners in World War II are ordered to infiltrate a well-guarded enemy château and kill the Nazi officers vacationing there. The soldiers, most of whom are facing death sentences for a variety of violent crimes, agree to the mission and the possible commuting of their sentences.
-5
A psychologist is sent to a space station orbiting a planet called Solaris to investigate the death of a doctor and the mental problems of cosmonauts on the station. He soon discovers that the water on the planet is a type of brain which brings out repressed memories and obsessions.
-1
A drop-out from upper-class America picks up work along the way on oil-rigs when his life isn't spent in a squalid succession of bars, motels, and other points of interest.
0
Japan is thrown into a panic after several ships are sunk near Odo Island. An expedition to the island led by Dr. Yemani soon discover something far more devastating than imagined in the form of a 50 meter tall monster whom the natives call Gojira. Now the monster begins a rampage that threatens to destroy not only Japan, but the rest of the world as well.
-5
An executive of a shoe company becomes a victim of extortion when his chauffeur's son is kidnapped and held for ransom.
-1
Agnès Varda eloquently captures Paris in the sixties with this real-time portrait of a singer set adrift in the city as she awaits test results of a biopsy. A chronicle of the minutes of one woman’s life, Cléo from 5 to 7 is a spirited mix of vivid vérité and melodrama, featuring a score by Michel Legrand and cameos by Jean-Luc Godard and Anna Karina.
3
A photographer and her best friend are roommates. She is stuck with small-change shooting jobs and dreams of success. When her roommate decides to get married and leave, she feels hurt and has to learn how to deal with living alone.
0
Capturing John Lennon, Paul McCartney, George Harrison and Ringo Starr in their electrifying element, 'A Hard Day's Night' is a wildly irreverent journey through this pastiche of a day in the life of The Beatles during 1964. The band have to use all their guile and wit to avoid the pursuing fans and press to reach their scheduled television performance, in spite of Paul's troublemaking grandfather and Ringo's arrest.
-4
The Dynamic Duo faces four super-villains who plan to hold the world for ransom with the help of a secret invention that instantly dehydrates people.
2
Filmmaker Alain Resnais documents the atrocities behind the walls of Hitler's concentration camps.
-1
The most powerful heroes ever--Superman, Wonder Woman, Aquaman, Batman and Robin--join forces with teenagers Wendy and Marvin and their dog, Marvel the Wonderdog, to defend justice and guard the innocent.
4
A hapless inventor finally finds success with a flying car, which a dictator from a foreign government sets out to take for himself.
-1
The cruel and abusive headmaster of a boarding school, Michel Delassalle, is murdered by an unlikely duo -- his meek wife and the mistress he brazenly flaunts. The women become increasingly unhinged by a series of odd occurrences after Delassalle's corpse mysteriously disappears.
-8
Dan Evans, a small time farmer, is hired to escort Ben Wade, a dangerous outlaw, to Yuma. As Evans and Wade wait for the 3:10 train to Yuma, Wade's gang is racing to free him.
-1
In Philadelphia, a small-time bookie who stole mob money is in hiding and he begs a childhood friend to help him evade the hit-man who's on his trail.
-2
Determined to hold on to the throne, Cleopatra seduces the Roman emperor Julius Caesar. When Caesar is murdered, she redirects her attentions to his general, Marc Antony, who vows to take power—but Caesar’s successor has other plans.
0
For young Parisian boy Antoine Doinel, life is one difficult situation after another. Surrounded by inconsiderate adults, including his neglectful parents, Antoine spends his days with his best friend, Rene, trying to plan for a better life. When one of their schemes goes awry, Antoine ends up in trouble with the law, leading to even more conflicts with unsympathetic authority figures.
-1
When disillusioned Swedish knight Antonius Block returns home from the Crusades to find his country in the grips of the Black Death, he challenges Death to a chess match for his life. Tormented by the belief that God does not exist, Block sets off on a journey, meeting up with traveling players Jof and his wife, Mia, and becoming determined to evade Death long enough to commit one redemptive act while he still lives.
-5
Cool government operative James Bond searches for a stolen invention that can turn the sun's heat into a destructive weapon. He soon crosses paths with the menacing Francisco Scaramanga, a hitman so skilled he has a seven-figure working fee. Bond then joins forces with the swimsuit-clad Mary Goodnight, and together they track Scaramanga to a Thai tropical isle hideout where the killer-for-hire lures the slick spy into a deadly maze for a final duel.
-2
An aging, down-on-his-luck ex-minor leaguer coaches a team of misfits in an ultra-competitive California little league.
-1
Twelve episodic tales in the life of a Parisian woman and her slow descent into prostitution.
-1
A supposedly idyllic weekend trip to the countryside turns into a never-ending nightmare of traffic jams, revolution, cannibalism and murder as French bourgeois society starts to collapse under the weight of its own consumer preoccupations.
-3
A former child star torments her paraplegic sister in their decaying Hollywood mansion.
-1
Legendary stunt man, Sonny Hooper remains one of the top men in his field, but due to too many stressful impacts to the spine and the need to pop pain killers several times a day, he knows he should get out of the industry before he ends up permanently disabled.
-3
Terry Malloy dreams about being a prize fighter, while tending his pigeons and running errands at the docks for Johnny Friendly, the corrupt boss of the dockers union. Terry witnesses a murder by two of Johnny's thugs, and later meets the dead man's sister and feels responsible for his death. She introduces him to Father Barry, who tries to force him to provide information for the courts that will smash the dock racketeers.
-4
Dr. Génessier is riddled with guilt after an accident that he caused disfigures the face of his daughter, the once beautiful Christiane, who outsiders believe is dead. Dr. Génessier, along with accomplice and laboratory assistant Louise, kidnaps young women and brings them to the Génessier mansion. After rendering his victims unconscious, Dr. Génessier removes their faces and attempts to graft them on to Christiane's.
-3
A bizarre black comedy about a man whose overwhelming ambition in life is to be a renowned serial killer of women, and will stop at nothing to achieve it - but not everything goes according to plan...
-2
In the carefree days before World War I, introverted Austrian author Jules strikes up a friendship with the exuberant Frenchman Jim and both men fall for the impulsive and beautiful Catherine.
0
A mysterious spacecraft captures Russian and American space capsules and brings the two superpowers to the brink of war. James Bond investigates the case in Japan and comes face to face with his archenemy Blofeld.
-1
A history professor and his wife entertain a young couple who are new to the university's faculty. As the drinks flow, secrets come to light, and the middle-aged couple unload onto their guests the full force of the bitterness, dysfunction, and animosity that defines their marriage.
-1
Mabel Longhetti, desperate and lonely, is married to a Los Angeles municipal construction worker, Nick. Increasingly unstable, especially in the company of others, she craves happiness, but her extremely volatile behavior convinces Nick that she poses a danger to their family and decides to commit her to an institution for six months. Alone with a trio of kids to raise on his own, he awaits her return, which holds more than a few surprises.
-4
A detailed chronicle of the famous 1969 tour of the United States by the British rock band The Rolling Stones, which culminated with the disastrous and tragic concert held on December 6 at the Altamont Speedway Free Festival, an event of historical significance, as it marked the end of an era: the generation of peace and love suddenly became the generation of disillusionment.
1
A Hollywood songwriter goes through a mid-life crisis and becomes infatuated with a sexy blonde newlywed.
0
Returning to their lord's castle, samurai warriors Washizu and Miki are waylaid by a spirit who predicts their futures. When the first part of the spirit's prophecy comes true, Washizu's scheming wife, Asaji, presses him to speed up the rest of the spirit's prophecy by murdering his lord and usurping his place. Director Akira Kurosawa's resetting of William Shakespeare's "Macbeth" in feudal Japan is one of his most acclaimed films.
1
In a small English village everyone suddenly falls unconscious. When they awake every woman of child bearing age is pregnant. The resulting children have the same strange blond hair, eyes and a strong connection to each other.
-1
From his home in Jellystone Park, Yogi Bear dreams of nothing more in life than to outwit as many unsuspecting tourists as he can and grab their prized picnic baskets all while staying one step ahead of the ever-exasperated Ranger Smith. Yogi's little buddy, Boo-Boo, tries to keep Yogi out of trouble but rarely succeeds. That's okay because not even Ranger Smith can stay mad for long at the lovable, irresistible Yogi Bear.
1
In the early 1900s, Miranda attends a girls boarding school in Australia. One Valentine's Day, the school's typically strict headmistress treats the girls to a picnic field trip to an unusual but scenic volcanic formation called Hanging Rock. Despite rules against it, Miranda and several other girls venture off. It's not until the end of the day that the faculty realizes the girls and one of the teachers have disappeared mysteriously.
-2
Based on the famous book by Jules Verne the movie follows Phileas Fogg on his journey around the world. Which has to be completed within 80 days, a very short period for those days.
1
In the Salinas Valley in and around World War I, Cal Trask feels he must compete against overwhelming odds with his brother for the love of their father. Cal is frustrated at every turn, from his reaction to the war, how to get ahead in business and in life, and how to relate to his estranged mother.
-2
Paul, a young idealist trying to figure out what he wants to do with his life, takes a job interviewing people for a marketing research firm. He moves in with aspiring pop singer Madeleine. Paul, however, is disillusioned by the growing commercialism in society, while Madeleine just wants to be successful. The story is told in a series of 15 unrelated vignettes.
0
With the strength of Hercules, the wisdom of Athena, the speed of Mercury and the beauty of Aphrodite, she’s Wonder Woman. Beautiful Amazon princess Wonder Woman travels to 1940s America disguised as Diana Prince, assistant to handsome but trouble-prone Major Steve Trevor. Using her golden belt, which imbues her with astonishing strength, her bullet-deflecting bracelets, a golden lasso that dispels dishonesty and an invisible supersonic plane, Wonder Woman combats evil.
7
A movie star helps a young singer-actress find fame, even as age and alcoholism send his own career into a downward spiral.
1
This simple romantic tragedy begins in 1957. Guy Foucher, a 20-year-old French auto mechanic, has fallen in love with 17-year-old Geneviève Emery, an employee in her widowed mother's chic but financially embattled umbrella shop. On the evening before Guy is to leave for a two-year tour of combat in Algeria, he and Geneviève make love. She becomes pregnant and must choose between waiting for Guy's return or accepting an offer of marriage from a wealthy diamond merchant.
2
In the 1930s, bored waitress Bonnie Parker falls in love with an ex-con named Clyde Barrow and together they start a violent crime spree through the country, stealing cars and robbing banks.
-4
Japanese peasants Matashichi and Tahei try and fail to make a profit from a tribal war. They find a man and woman whom they believe are simple tribe members hiding in a fortress. Although the peasants don't know that Rokurota is a general and Yuki is a princess, the peasants agree to accompany the pair to safety in return for gold. Along the way, the general must prove his expertise in battle while also hiding his identity.
0
An Edinburgh professor and assorted colleagues follow an explorer's trail down an extinct Icelandic volcano to the earth's center.
0
Four friends are attacked by a demon while on a picnic, due to possession of a tome of mystic information, and find themselves pitched into a world of evil that overlaps our own.
-2
An unemployed pot-smoking slacker and amateur drummer, Anthony Stoner ditches his strict parents and hits the road, eventually meeting kindred spirit Pedro de Pacas. While the drug-ingesting duo is soon arrested for possession of marijuana, Anthony and Pedro get released on a technicality, allowing them to continue their many misadventures and ultimately compete in a rock band contest, where they perform the raucous tune "Earache My Eye."
-2
When the warren belonging to a community of rabbits is threatened, a brave group led by Fiver, Bigwig, Blackberry and Hazel leave their homeland in a search of a safe new haven.
3
Fox, a former circus performer, wins the lottery of DM 500,000 and can now have the life and things that he has always wanted. While he wants to climb up the social ladder, it isn't without turmoil, and being torn between his old working class roots, and the shiny new facade of middle class consciousness.
1
Claudia and Anna join Anna's lover, Sandro, on a boat trip to a remote volcanic island. When Anna goes missing, a search is launched. In the meantime, Sandro and Claudia become involved in a romance despite Anna's disappearance, though the relationship suffers from guilt and tension.
-2
Three escaped criminals from the planet Krypton test the Man of Steel's mettle. Led by General Zod, the Kryptonians take control of the White House and partner with Lex Luthor to destroy Superman and rule the world. But Superman, who attempts to make himself human in order to get closer to Lois, realizes he has a responsibility to save the planet.
-1
In his award-winning film Lucía, Humberto Solás interpreted the theme of Cuba’s hundred years' struggle in an entirely novel way to create an epic in three separate episodes, each centred around a woman called Lucía and each unfolding in a different period of Cuban history, corresponding to the three stages of colonialism (1895), neocolonialism (1930) and socialist revolution (1968). The three episodes also present us with "Lucías" of different social classes. Solás described his film in this way: "The woman's role always lays bare the contradictions of a period and makes them explicit: Lucía is not a film about women, it's a film about society."
-2
A nameless ronin, or samurai with no master, enters a small village in feudal Japan where two rival businessmen are struggling for control of the local gambling trade. Taking the name Sanjuro Kuwabatake, the ronin convinces both silk merchant Tazaemon and sake merchant Tokuemon to hire him as a personal bodyguard, then artfully sets in motion a full-scale gang war between the two ambitious and unscrupulous men.
-1
Middle-aged Ohio secretary Jane Hudson has never found love and has nearly resigned herself to spending the rest of her life alone. But before she does, she uses her savings to finance a summer in romantic Venice, where she finally meets the man of her dreams, the elegant Renato Di Rossi.
2
Crotchety retired doctor Isak Borg travels from Stockholm to Lund, Sweden, with his pregnant and unhappy daughter-in-law, Marianne, in order to receive an honorary degree from his alma mater. Along the way, they encounter a series of hitchhikers, each of whom causes the elderly doctor to muse upon the pleasures and failures of his own life. These include the vivacious young Sara, a dead ringer for the doctor's own first love.
0
Based on the 1973 rock opera album of the same name by The Who, this is the story of 60s teenager Jimmy. At work he slaves in a dead-end job. While after, he shops for tailored suits and rides his scooter as part of the London Mod scene.
0
Industrialist François Delambre is called late at night by his sister-in-law, Helene Delambre, who tells him that she has just killed her husband, André. Reluctant at first, she eventually explains to the police that André invented a matter transportation apparatus and, while experimenting on himself, a fly entered the chamber during the matter transference.
-2
On July 31, 1970, in Las Vegas, Nevada, Elvis Presley staged a triumphant return to the concert stage from which he had been absent for almost a decade. His series of concerts broke all box office records and completely reenergized the career of the King of Rock ‘n’ Roll.
0
This film documents the coal miners' strike against the Brookside Mine of the Eastover Mining Company in Harlan County, Kentucky in June, 1973. Eastovers refusal to sign a contract (when the miners joined with the United Mine Workers of America) led to the strike, which lasted more than a year and included violent battles between gun-toting company thugs/scabs and the picketing miners and their supportive women-folk. Director Barbara Kopple puts the strike into perspective by giving us some background on the historical plight of the miners and some history of the UMWA.
-5
After moving to Pasadena, Texas, country boy Bud Davis starts hanging around a bar called Gilley's, where he falls in love with Sissy, a cowgirl who believes the sexes are equal. They eventually marry, but their relationship is turbulent due to Bud's traditional view of gender roles. Jealousy over his rival leads to their separation, but Bud attempts to win Sissy back by triumphing at Gilley's mechanical bull-riding competition.
-1
Cool black private eye John Shaft is hired by a crime lord to find and retrieve his kidnapped daughter.
0
Amidst a nuclear war, a plane carrying a group of schoolboys crash lands on a deserted island. With no adult survivors, the boys are forced to fend for themselves. At first they cooperate, but when they split into two separate camps -- one led by the pragmatic Ralph and the other by militaristic Jack -- their society falls into disarray, leading to a disturbing examination of human nature and a chilling conclusion.
-2
Tracing the struggle of the Algerian Front de Liberation Nationale to gain freedom from French colonial rule as seen through the eyes of Ali from his start as a petty thief to his rise to prominence in the organisation and capture by the French in 1957. The film traces the rebels' struggle and the increasingly extreme measures taken by the French government to quell the revolt.
0
Mining engineer Shigeru investigates the disappearance and death of his fellow coworkers when prehistoric nymphs are discovered emerging from the mines. After an attack on the local village, Shigeru heads deeper into the mines only to make a more horrifying discovery in the form a prehistoric flying creature. Soon a second monster appears as the two converge in Fukuoka.
-4
A collection of seven vignettes, which each address a question concerning human sexuality. From aphrodisiacs to sexual perversion to the mystery of the male orgasm, characters like a court jester, a doctor, a queen and a journalist adventure through lab experiments and game shows, all seeking answers to common questions that many would never ask.
-1
Two Navy men are ordered to bring a young offender to prison, but decide to show him one last good time along the way.
-1
Drunken, has-been rock star John Norman Howard falls in love with unknown singer, Esther Hoffman, after seeing her perform at a club. He lets her sing a few songs at one of his shows and she becomes the talk of the music industry. Esther's star begins to rise, while John's continues to fall. She tries desperately to get John to sober up and focus on his music, but it may be too late to save him.
-5
Cosmo Vittelli, the proprietor of a sleazy, low-rent Hollywood cabaret, has a real affection for the women who strip in his peepshows and the staff who keep up his dingy establishment. He also has a major gambling problem that has gotten him in trouble before. When Cosmo loses big-time at an underground casino run by mobster Mort, he isn't able to pay up. Mort then offers Cosmo the chance to pay back his debt by knocking off a pesky, Mafia-protected bookie.
-5
Priest, a suave top-rung New York City drug dealer, decides that he wants to get out of his dangerous trade. Working with his reluctant friend, Eddie, Priest devises a scheme that will allow him to make a big deal and then retire. When a desperate street dealer informs the police of Priest's activities, Priest is forced into an uncomfortable arrangement with corrupt narcotics officers. Setting his plan in motion, he aims to both leave the business and stick it to the man.
-4
A day in the life of an unfaithful married couple and their steadily deteriorating relationship in Milan.
-2
When Gelsomina, a naïve young woman, is purchased from her impoverished mother by brutish circus strongman Zampanò to be his wife and partner, she loyally endures her husband's coldness and abuse as they travel the Italian countryside performing together. Soon Zampanò must deal with his jealousy and conflicted feelings about Gelsomina when she finds a kindred spirit in Il Matto, the carefree circus fool, and contemplates leaving Zampanò.
-5
Set in a magnificent villa near a sun-drenched St. Tropez, lovers Jean-Paul and Marianne are spending a happy, lazy summer holiday. Their only concern is to gratify their mutual passion - until the day when Marianne invites her former lover and his beautiful teenage daughter to spend a few days with them. From the first moment, a certain uneasiness and tension begin to develop between the four, which soon escalates in a dangerous love-game.
2
Impoverished priest Harihar Ray, dreaming of a better life for himself and his family, leaves his rural Bengal village in search of work.
1
A young boy discovers a stray balloon, which seems to have a mind of its own, on the streets of Paris. The two become inseparable, yet the world’s harsh realities finally interfere.
-2
Edie Bouvier Beale and her mother, Edith, two aging, eccentric relatives of Jackie Kennedy Onassis, are the sole inhabitants of a Long Island estate. The women reveal themselves to be misfits with outsized, engaging personalities. Much of the conversation is centered on their pasts, as mother and daughter now rarely leave home.
-1
The true story of the frightening, lonely world of silence and darkness of 7-year-old Helen Keller who, since infancy, has never seen the sky, heard her mother's voice or expressed her innermost feelings. Then Annie Sullivan, a 20-year-old teacher from Boston, arrives. Having just recently regained her own sight, the no-nonsense Annie reaches out to Helen through the power of touch, the only tool they have in common, and leads her bold pupil on a miraculous journey from fear and isolation to happiness and light.
-2
After carrying out a flawlessly planned hit, Jef Costello, a contract killer with samurai instincts, finds himself caught between a persistent police investigator and a ruthless employer, and not even his armor of fedora and trench coat can protect him.
0
Jerry Mulligan is an exuberant American expatriate in Paris trying to make a reputation as a painter. His friend Adam is a struggling concert pianist who's a long time associate of a famous French singer, Henri Baurel. A lonely society woman, Milo Roberts, takes Jerry under her wing and supports him, but is interested in more than his art.
2
Young lovers Orfeu and Eurydice run through the favelas of Rio during Carnaval, on the lam from a hitman dressed like Death and Orfeu's vengeful fiancée Mira and passing between moments of fantasy and stark reality. This impressionistic retelling of the Greek legend of Orpheus and Eurydice introduced bossa nova to the world with its soundtrack by young Brazilian composers Luiz Bonfá and Antonio Carlos Jobim.
-1
In 1970, right after the triumphant premiere of Stephen Sondheim’s groundbreaking concept musical Company, the renowned composer and lyricist, his director Harold Prince, the show’s stars, and a large pit orchestra all went into a Manhattan recording studio as part of a time-honored Broadway tradition: the making of the original cast album. What ensued was a marathon session in which, with the pressures of posterity and the coolly exacting Sondheim’s perfectionism hanging over them, all involved pushed themselves to the limit.
4
Fred Hampton was the leader of the Illinois Chapter of the Black Panther Party. This film depicts his brutal murder by the Chicago police and its subsequent investigation, but also documents his activities in organizing the Chapter, his public speeches, and the programs he founded for children during the last eighteen months of his life.
-2
Inquisitive journalist Grace Collier is horrified when she witnesses her neighbor, fashion model Danielle Breton, violently murder a man. Panicking, she calls the police. But when the detective arrives at the scene and finds nothing amiss, Grace is forced to take matters into her own hands. Her first move is to recruit private investigator Joseph Larch, who helps her to uncover a secret about Danielle's past that has them both seeing double.
-3
Daniel Grudge, a wealthy industrialist and fierce isolationist long embittered by the loss of his son in World War II, is visited by three ghosts on Christmas Eve who lead him to reconsider his attitude toward his fellow man.
-1
A man tries to uncover an unconventional psychologist's therapy techniques on his institutionalized wife, while a series of brutal attacks committed by a brood of mutant children coincides with the husband's investigation.
-3
The original thirty-minute version of Scooby-Doo and Scrappy-Doo constitutes the fourth incarnation of the Hanna-Barbera Saturday morning cartoon Scooby-Doo. It premiered on September 22, 1979 and ran for one season on ABC as a half-hour program. A total of sixteen episodes were produced. It was the last Hanna-Barbera cartoon series to use the studio's laugh track. Cartoon Network's classic channel Boomerang reruns the series.
1
A troubled, rebellious teen drives his rambunctious baseball team out to Houston where they play an exhibition game and the boy meets his estranged father, and hires him as the teams coach.
-3
A lighthearted take on director Yasujiro Ozu’s perennial theme of the challenges of inter­generational relationships, Good Morning tells the story of two young boys who stop speaking in protest after their parents refuse to buy a television set. Ozu weaves a wealth of subtle gags through a family portrait as rich as those of his dramatic films, mocking the foibles of the adult world through the eyes of his child protagonists. Shot in stunning color and set in a suburb of Tokyo where housewives gossip about the neighbors’ new washing machine and unemployed husbands look for work as door-to-door salesmen, this charming comedy refashions Ozu’s own silent classic I Was Born, But . . . to gently satirize consumerism in postwar Japan.
1
A young Mexican boy tirelessly tries to save his pet bull from death at the hands of a celebrated matador.
0
A Southerner--young, poor, ambitious but uneducated--determines to become something in the world. He decides that the best way to do that is to become a preacher and start up his own church.
1
Beautiful young housewife Séverine Serizy cannot reconcile her masochistic fantasies with her everyday life alongside dutiful husband Pierre. When her lovestruck friend Henri mentions a secretive high-class brothel run by Madame Anais, Séverine begins to work there during the day under the name Belle de Jour. But when one of her clients grows possessive, she must try to go back to her normal life.
2
In this third film version of the Bad News Bears series, Tony Curtis plays a small time promotor/hustler who takes the pint-sized baseball team to Japan for a match against the country's best little league baseball team which sparks off a series of adventures and mishaps the boys come into.
-1
Petra von Kant is a successful fashion designer -- arrogant, caustic, and self-satisfied. She mistreats Marlene (her secretary, maid, and co-designer). Enter Karin, a 23-year-old beauty who wants to be a model. Petra falls in love with Karin and invites her to move in.
0
As Agnes slowly dies of cancer, her sisters are so deeply immersed in their own psychic pains that they can't offer her the support she needs. Maria is wracked with guilt at her husband's attempted suicide, caused by his discovery of her extramarital affair. The self-loathing, suicidal Karin seems to regard her sister with revulsion. Only Anna, the deeply religious maid who lost her young child, seems able to offer Agnes solace and empathy.
-4
A young husband and father, perfectly content with his life, falls in love with another woman.
1
A wealthy landlord who lives a decadent life with his wife and son. His passion - his wife would call it his addiction - is music, and he spends a great deal of his fortune on concerts held for the locals in his magnificent music room. He feels threatened by his neighbour, a commoner who has attained riches through business dealings. His passion for music and quest for social respect are his undoing, as he sacrifices his family and wealth trying to retain it.
7
Amid the modern wastelands and toxic factories of Italy, wife and mother Giuliana desperately tries to conceal her tenuous grip on reality from those around her, especially her successful yet neglectful husband, Ugo. Ugo's old pal, Corrado, shows up in town on a business trip and is more sensitive to Giuliana's anxieties. They begin an affair, but it does little to quell Giuliana's existential fears, and her mental state rapidly deteriorates.
-2
Tom loves Sophie and Sophie loves Tom. But Tom and Sophie are of differering classes. Can they find a way through the mayhem to be true to love?
3
Many times during his presidency, Lyndon B. Johnson said that ultimate victory in the Vietnam War depended upon the U.S. military winning the "hearts and minds" of the Vietnamese people. Filmmaker Peter Davis uses Johnson's phrase in an ironic context in this anti-war documentary, filmed and released while the Vietnam War was still under way, juxtaposing interviews with military figures like U.S. Army Chief of Staff William C. Westmoreland with shocking scenes of violence and brutality.
0
Aspiring to an easy job as personal physician to a wealthy family, Noboru Yasumoto is disappointed when his first post after medical school takes him to a small country clinic under the gruff doctor Red Beard. Yasumoto rebels in numerous ways, but Red Beard proves a wise and patient teacher. He gradually introduces his student to the unglamorous side of the profession, ultimately assigning him to care for a prostitute rescued from a local brothel.
2
A meteor lands in Kurobe Valley as detective Shindo is assigned to protect Princess Salno from assassination. She emerges under the guise of a Venusian prophetess and catches the attention of journalist Naoko and Mothra's fairies by predicting a powerful space monster's arrival. The infant Mothra must convince Godzilla and Rodan to set aside their hatred of humanity or face the monster alone.
-1
In this wildly entertaining vision of one of the twentieth century’s greatest artists, Bob Dylan is surrounded by teen fans, gets into heated philosophical jousts with journalists, and kicks back with fellow musicians Joan Baez, Donovan, and Alan Price.
1
The spaceship AAB-Gamma is dispatched from FAFC headquarters in Japan to make a landing on the planet Mars and investigate reports of UFOs in the area. As they near the red planet, they encounter a mysterious UFO that coats the ship's hull with unusual spores. Taking one of the specimens back to earth, it soon develops and grows into a giant chicken-lizard-alien monster that tramples Japan.
-5
The first pilot to leave Earth's atmosphere lands, then vanishes; but something with a craving for blood prowls the countryside...
0
The culmination of Orson Welles’s lifelong obsession with Shakespeare’s robustly funny and ultimately tragic antihero, Sir John Falstaff; the often soused friend of King Henry IV’s wayward son Prince Hal. Integrating elements from both Henry IV plays as well as Richard II, Henry V, and The Merry Wives of Windsor.
0
On their way to an afternoon on the lake, husband and wife Andrzej and Krystyna nearly run over a young hitchhiker. Inviting the young man onto the boat with them, Andrzej begins to subtly torment him; the hitchhiker responds by making overtures toward Krystyna. When the hitchhiker is accidentally knocked overboard, the husband's panic results in unexpected consequences.
-2
The buoyant Molly Brown has survived the first crisis of her life—a flood. Sixteen years later she sets out to make her way in the world. She assures the Leadville saloon keeper that she can sing and play the piano, and learns quickly. Soon she marries Johnny Brown, who in a few years will be able to replace the original cigar wrapper wedding ring with a replica in gold and gemstones. The Browns head for Europe and bring a few crowned heads back to Denver for a party that turns into a ballroom brawl. Molly goes to Europe alone, returning on the Titanic. She didn't survive a flood as a baby for the story to end here.
1
Shuhei Hirayama is a widower with a 24-year-old daughter. Gradually, he comes to realize that she should not be obliged to look after him for the rest of his life, so he arranges a marriage for her.
0
In an Italian seaside town, young Titta gets into trouble with his friends and watches various local eccentrics as they engage in often absurd behavior. Frequently clashing with his stern father and defended by his doting mother, Titta witnesses the actions of a wide range of characters, from his extended family to Fascist loyalists to sensual women, with certain moments shifting into fantastical scenarios.
-5
The first film of a four-part adaptation of Leo Tolstoy’s 1869 novel. In St. Petersburg of 1805, Pierre Bezukhov, the illegitimate son of a rich nobleman, is introduced to high society. His friend, Prince Andrei Bolkonsky, joins the Imperial Russian Army as aide-de-camp of General Mikhail Kutuzov in the War of the Third Coalition against Napoleon.
0
In a run-down South American town, four men are paid to drive trucks loaded with nitroglycerin into the jungle through to the oil field. Friendships are tested and rivalries develop as they embark upon the perilous journey.
-3
Clifford Peach, an easygoing teenager, is finding less than easy to fit in at his new high school, where a tough-talking bully terrorizes his classmates and extorts their lunch money. Refusing to pay up, Clifford enlist the aid of an overgrown misfit whose mere presence intimidates students and teachers alike. But their "business relationship" soon turns personal as Clifford and the troubled loner forge a winning alliance against their intimidators - and a very special friendship with each other.
-1
Ichiro Miki is a child living in the industrial district of Kawasaki, where his parents' constant struggle to make ends meet often leaves the schoolboy alone. Constantly teased by a bully nicknamed Gabara, his only friends are toy consultant Shinpei and fellow classmate Sachiko. Ichiro turns to escapist dreams of Monster Island where he befriends the equally bullied Minilla.
-3
After a chance encounter with a wanted man, a woman is harassed by the police and press until she takes violent action.
-2
Aquaman is a Filmation animated series that premiered on CBS on September 9, 1967, and ended June 1970. It is a 30-minute version of The Superman/Aquaman Hour of Adventure, repackaged without the Superman and Superboy segments. The show is composed of previously-aired adventures featuring the DC Comics superheroes Aquaman and his sidekick Aqualad, the Atom, the Flash and Kid Flash, the Green Lantern and Hawkman. The Justice League of America and Teen Titans are also featured in team adventures.
0
Journalists Ichiro Sakai and Junko cover the wreckage of a typhoon when an enormous egg is found and claimed by greedy entrepreneurs. Mothra's fairies arrive and are aided by the journalists in a plea for its return. As their requests are denied, Godzilla arises near Nagoya and the people of Infant Island must decide if they are willing to answer Japan's own pleas for help.
-3
Five young men dream of success as they drift lazily through life in a small Italian village. Fausto, the group's leader, is a womanizer; Riccardo craves fame; Alberto is a hopeless dreamer; Moraldo fantasizes about life in the city; and Leopoldo is an aspiring playwright. As Fausto chases a string of women, to the horror of his pregnant wife, the other four blunder their way from one uneventful experience to the next.
-2
A 28-year-old single woman is pressured to marry.
0
Musical adaptation of Charles Dickens' Oliver Twist, a classic tale of an orphan who runs away from the workhouse and joins up with a group of boys headed by the Artful Dodger and trained to be pickpockets by master thief Fagin.
0
A self-assured businessman murders his employer, the husband of his mistress, which unintentionally provokes an ill-fated chain of events.
-3
A sheltered young high society woman joins the army on a whim and finds herself in a more difficult situation than she ever expected.
-1
Taking its title from an archaic Japanese word meaning "ghost story," this anthology adapts four folk tales. A penniless samurai marries for money with tragic results. A man stranded in a blizzard is saved by Yuki the Snow Maiden, but his rescue comes at a cost. Blind musician Hoichi is forced to perform for an audience of ghosts. An author relates the story of a samurai who sees another warrior's reflection in his teacup.
-3
Amidst a heated political climate, the opposition leader is killed in what appears to be a traffic accident. When a magistrate finds evidence of a government cover-up, witnesses start to get targeted. A thinly-fictionalized account of the events surrounding the assassination of Greek politician Grigoris Lambrakis in 1963, Z captures the outrage about the military junta that ruled Greece at the time.
-3
Karin hopes to recover from her recent stay at a mental hospital by spending the summer at her family's cottage on a tiny island. Her husband, Martin, cares for her but is frustrated by her physical withdrawal. Her younger brother, Minus, is confused by Karin's vulnerability and his own budding sexuality. Their father, David, cannot overcome his haughty remoteness. Beset by visions, Karin descends further into madness.
-4
With the help of his girlfriend Cathy and Dr. Fong, a psychiatrist, ambitious journalist Johnny Barrett poses as a madman in order to be admitted to a mental institution where a bloody murder has been committed.
-2
Maria marries a young soldier in the last days of World War II, only for him to go missing in the war. She must rely on her beauty and ambition to navigate the difficult post-war years alone.
0
Pierre Lachenay is a well-known publisher and lecturer, married with Franca and father of Sabine, around 10. He meets an air hostess, Nicole. They start a love affair, which Pierre is hiding, but he cannot stand staying away from her.
2
Two miners agree to guide a mysterious woman, who has appeared in their camp from nowhere, to a nearby town; but soon, because of her erratic behavior, they begin to suspect that her true purpose is quite different.
-3
A concentration camp survivor discovers her former torturer and lover working as a porter at a hotel in postwar Vienna. When the couple attempt to re-create their sadomasochistic relationship, his former SS comrades begin to stalk them.
2
Middle-aged Giulietta grows suspicious of her husband, Giorgio, when his behavior grows increasingly questionable. One night when Giorgio initiates a seance amongst his friends, Giulietta gets in touch with spirits and learns more about herself and her painful past. Slightly skeptical, but intrigued, she visits a mystic who gives her more information -- and nudges her toward the realization that her husband is indeed a philanderer.
-4
After federal agent Cleopatra Jones orders the burning of a Turkish poppy field, the notorious drug lord Mommy vows to destroy her.
-3
A drive-in favorite, this sci-fi classic follows teenagers Steve and his best girl, Jane, as they try to protect their hometown from a gelatinous alien life form that engulfs everything it touches. The first to discover the substance and live to tell about it, Steve and Jane witness the blob destroying an elderly man, then it growing to a terrifying size. But no one else has seen the goo, and policeman Dave refuses to believe the kids without proof.
3
Astronauts Glenn and Fuji investigate Planet X and encounter mysterious aliens known as the Xiliens, who ask Earth's people to help save their world from "Monster Zero".  In exchange for borrowing Godzilla and Rodan, the Xiliens offer a cure for cancer. As Glenn investigates, he develops a romance with Miss Namikawa and uncovers the Xilien's true intentions.
-3
Emmi Kurowski, a cleaning lady, is lonely in her old age. Her husband died years ago, and her grown children offer little companionship. One night she goes to a bar frequented by Arab immigrants and strikes up a friendship with middle-aged mechanic Ali. Their relationship soon develops into something more, and Emmi's family and neighbors criticize their spontaneous marriage. Soon Emmi and Ali are forced to confront their own insecurities about their future.
-5
Delphine and Solange are two sisters living in Rochefort. Delphine is a dancing teacher and Solange composes and teaches the piano. Maxence is a poet and a painter. He is doing his military service. Simon owns a music shop, he left Paris one month ago to come back where he fell in love 10 years ago. They are looking for love, looking for each other, without being aware that their ideal partner is very close...
2
Charlie is a former classical pianist who has changed his name and now plays jazz in a grimy Paris bar. When Charlie's brothers, Richard and Chico, surface and ask for Charlie's help while on the run from gangsters they have scammed, he aids their escape. Soon Charlie and Lena, a waitress at the same bar, face trouble when the gangsters arrive, looking for his brothers.
-3
Juliette Hardy is sexual dynamite, and has the men of a French coastal town panting. But Antoine, the only man who affects her likewise, wouldn't dream of settling down with a woman his friends consider the town tramp.
0
Veronika and Boris come together in Moscow shortly before World War II. Walking along the river, they watch cranes fly overhead, and promise to rendezvous before Boris leaves to fight. Boris misses the meeting and is off to the front lines, while Veronika waits patiently, sending letters faithfully. After her house is bombed, Veronika moves in with Boris' family, into the company of a cousin with his own intentions.
2
In occupied Paris, an actress married to a Jewish theater owner must keep him hidden from the Nazis while doing both of their jobs.
0
The rigid principles of a devout Catholic man are challenged during a one-night stay with Maud, a divorced woman with an outsize personality.
0
In this first film of the Lone Wolf and Cub series, adapted from the manga by Kazuo Koike, we are told the story of the Lone Wolf and Cub's origin. Ogami Itto, the official Shogunate executioner, has been framed for disloyalty to the Shogunate by the Yagyu clan, against whom he now is waging a one-man war, along with his infant son, Daigoro.
-3
Barrister Melville Farr is on the path to success. With his practice winning cases and a loving marriage to his wife, Farr's career and personal life are nearly idyllic. However, when blackmailers link the secretly closeted Farr to a young gay man, everything Farr has worked for is threatened. But instead of giving in, Farr decides to fight.
5
Featuring performances by popular artists of the 1960s, this concert film highlights the music of the 1967 California festival. Although not all musicians who performed at the Monterey Pop Festival are on film, some of the notable acts include the Mamas and the Papas, Simon & Garfunkel, Jefferson Airplane, the Who, Otis Redding, and the Jimi Hendrix Experience. Hendrix's post-performance antics -- lighting a guitar on fire, breaking it and tossing a part into the audience -- are captured.
0
Repulsed by the hypocrisy of adults and the irresponsibility of society, a boy refuses to grow older after his third birthday.
-3
After a seven-year absence, Charlotte Andergast travels to Sweden to reunite with her daughter Eva. The pair have a troubled relationship: Charlotte sacrificed the responsibilities of motherhood for a career as a classical pianist. Over an emotional night, the pair reopen the wounds of the past. Charlotte gets another shock when she finds out that her mentally impaired daughter, Helena, is out of the asylum and living with Eva.
-6
After a string of abusive relationships, Wanda abandons her family and seeks solace in the company of a petty criminal.
-2
Genial, bumbling Monsieur Hulot loves his top-floor apartment in a grimy corner of the city, and cannot fathom why his sister's family has moved to the suburbs. Their house is an ultra-modern nightmare, which Hulot only visits for the sake of stealing away his rambunctious young nephew. Hulot's sister, however, wants to win him over to her new way of life, and conspires to set him up with a wife and job.
1
Documents the lives of infamous fakers Elmyr de Hory and Clifford Irving. De Hory, who later committed suicide to avoid more prison time, made his name by selling forged works of art by painters like Picasso and Matisse. Irving was infamous for writing a fake autobiography of Howard Hughes. Welles moves between documentary and fiction as he examines the fundamental elements of fraud and the people who commit fraud at the expense of others.
-7
This film follows the daily lives of a group of people barely scraping by in a slum on the outskirts of Tokyo. Yet as desperate as their circumstances are, each of them—the homeless father and son envisioning their dream house; the young woman abused by her uncle; the boy who imagines himself a trolley conductor—finds reasons to carry on.
-2
In Amalfi, a village on the Italian coast, an old man who seems to have strange powers gives Celestino Esposito, the local photographer, a dangerous ability.
-2
Two fishing scout pilots make a horrifying discovery when they encounter a second Godzilla alongside a new monster named Anguirus. Without the weapon that killed the original, authorities attempt to lure Godzilla away from the mainland. But Anguirus soon arrives and the two monsters make their way towards Osaka as Japan braces for tragedy.
-6
Yuki's family is nearly wiped out before she is born due to the machinations of a band of criminals. These criminals kidnap and brutalize her mother but leave her alive. Later her mother ends up in prison with only revenge to keep her alive. She creates an instrument for this revenge by purposefully getting pregnant. Yuki never knows the love of a family but only killing and revenge.
-7
The last of Rohmer's Six Moral Tales. Frederic leads a bourgeois life; he is a partner in a small Paris office and is happily married to Helene, a teacher expecting her second child. In the afternoons, Frederic daydreams about other women, but has no intention of taking any action. One day, Chloe, who had been a mistress of an old friend, begins dropping by his office. They meet as friends, irregularly in the afternoons, till eventually Chloe decides to seduce Frederic, causing him a moral dilemma.
0
At the beginning of the 20th century, Claude Roc, a young middle-class Frenchman meets in Paris Ann Brown, a young Englishwoman. They become friends and Ann invites him to spend holidays at the house where she lives with her mother and her sister Muriel, for whom she intends Claude. During these holidays, Claude, Ann and Muriel become very close and he gradually falls in love with Muriel. But both families lay down a one-year-long separation without any contact before agreeing to the marriage. So Claude goes back to Paris when he has many love affairs before sending Muriel a break-off letter...
1
As the city of Paris and the French people grow in consumer culture, a housewife living in a high-rise apartment with her husband and two children takes to prostitution to help pay the bills.
0
Monsieur Hulot, Jacques Tati’s endearing clown, takes a holiday at a seaside resort, where his presence provokes one catastrophe after another. Tati’s masterpiece of gentle slapstick is a series of effortlessly well-choreographed sight gags involving dogs, boats, and firecrackers; it was the first entry in the Hulot series and the film that launched its maker to international stardom.
3
The relationship between Lelia, a light-skinned black woman, and Tony, a white man is put in jeopardy when Tony meets Lelia’s darker-skinned jazz singer brother, Hugh, and discovers that her racial heritage is not what he thought it was.
-1
During the Boer War, three Australian lieutenants are on trial for shooting Boer prisoners. Though they acted under orders, they are being used as scapegoats by the General Staff, who hopes to distance themselves from the irregular practices of the war. The trial does not progress as smoothly as expected by the General Staff, as the defence puts up a strong fight in the courtroom.
0
A fading music hall comedian tries to help a despondent ballet dancer learn to walk and to again feel confident about life.
0
Lola Montes, previously a great adventuress, is reduced to being the attraction of a circus after having been the lover of various important men.
4
Prof. Henri Laborit uses the stories of the lives of three people to discuss behaviorist theories of survival, combat, rewards and punishment, and anxiety. René is a technical manager at a textile factory and must face the anxiety caused by corporate downsizing. Janine is a self-educated actress/stylist who learns that the wife of her lover is dying and must decide to let them reunite. Jean is a controversial career-climbing writer/politician at a crossroads in life.
-1
A troubled and neurotic Italian Countess betrays her entire country for a self-destructive love affair with an Austrian Lieutenant.
-3
A working class girl struggles to create a life for herself with her gay co-worker after becoming pregnant from a one-night stand with a black sailor.
-1
At the turn of the century, all of the Earth's monsters have been rounded up and kept safely on Monsterland. Chaos erupts when a race of she-aliens known as the Kilaaks unleash the monsters across the world.
-3
In 1941 Hawaii, a private is cruelly punished for not boxing on his unit's team, while his captain's wife and second in command are falling in love.
-1
Claiming that he doesn't know his own past, a rich man enlists an ex-con with an odd bit of detective work. Gregory Arkadin says he can't remember anything before the late 1920s, and convict Guy Van Stratten is happy to take the job of exploring his new acquaintance's life story. Guy's research turns up stunning details about his employer's past, and as his work seems linked to untimely deaths, the mystery surrounding Mr. Arkadin deepens.
1
When elderly pensioner Umberto Domenico Ferrari returns to his boarding house from a protest calling for a hike in old-age pensions, his landlady demands her 15,000-lire rent by the end of the month or he and his small dog will be turned out onto the street. Unable to get the money in time, Umberto fakes illness to get sent to a hospital, giving his beloved dog to the landlady's pregnant and abandoned maid for temporary safekeeping.
-3
In 16th century Japan, peasants Genjuro and Tobei sell their earthenware pots to a group of soldiers in a nearby village, in defiance of a local sage's warning against seeking to profit from warfare. Genjuro's pursuit of both riches and the mysterious Lady Wakasa, as well as Tobei's desire to become a samurai, run the risk of destroying both themselves and their wives, Miyagi and Ohama.
-2
Rouen, Normandy, 1431, during the Hundred Years' War. After being captured by French soldiers from an opposing faction, Joan of Arc, the Maid of Orléans, is unjustly tried by an ecclesiastical court overseen by her English enemies.
-2
The family of an older man who runs a small sake brewery become concerned with his finances and his health after they discover him visiting an old mistress from his youth.
-2
Henry Hobson owns and tyrannically runs a successful Victorian boot maker’s shop in Salford, England. A stingy widower with a weakness for overindulging in the local Moonraker Public House, he exploits his three daughters as cheap labour. When he declares that there will be ‘no marriages’ to avoid the expense of marriage settlements at £500 each, his eldest daughter Maggie rebels.
-4
The complicated relationships between a circus ringmaster, his estranged wife and his lover.
-1
Two teenage girls embark on a series of destructive pranks in which they consume and destroy the world around them.
-2
Gaira, a humanoid sea beast spawned from the discarded cells of Frankenstein's monster, attacks the shores of Tokyo. While the Japanese military prepares to take action, Gaira's Gargantua brother, Sanda, descends from the mountains to defend his kin. A battle between good and evil ensues, leaving brothers divided and a city in ruins.
-3
A young woman who is determined to maintain her independence finds herself at odds with her family who wants her to tame her wild side and get married.
-1
In Manhattan's Central Park, a film crew directed by William Greaves is shooting a screen test with various pairs of actors. It's a confrontation between a couple: he demands to know what's wrong, she challenges his sexual orientation. Cameras shoot the exchange, and another camera records Greaves and his crew. Sometimes we watch the crew discussing this scene, its language, and the process of making a movie. Is there such a thing as natural language? Are all things related to sex? The camera records distractions - a woman rides horseback past them; a garrulous homeless vet who sleeps in the park chats them up. What's the nature of making a movie?
-3
Childhood friends Tracy Lord and C.K. Dexter Haven got married and quickly divorced. Now Tracy is about to marry again, this time to a shrewd social-climbing businessman. C.K. still loves her. Spy magazine blackmails Tracy's family by threatening to reveal her playboy father's exploits if not allowed to cover the wedding. A remake of the 1940 rom com The Philadelphia Story.
-2
During an assignment, foreign correspondent Steve Martin spends a layover in Tokyo and is caught amid the rampage of an unstoppable prehistoric monster the Japanese call 'Godzilla'. The only hope for both Japan and the world lies on a secret weapon, which may prove more destructive than the monster itself.
-5
A submarine expedition to salvage the remains of Mechagodzilla is thwarted by a massive dinosaur named Titanosaurus. An Interpol investigation leads biologist Ichinose to uncover the work of Dr. Mafune and his mysterious daughter Katsura. Aligned with the Black Hole Aliens, Katsura's life becomes entwined with the resurrected machine.
1
Middle-aged suburban husband Richard abruptly tells his wife, Maria, that he wants a divorce. As Richard takes up with a younger woman, Maria enjoys a night on the town with her friends and meets a younger man. As the couple and those around them confront a seemingly futile search for what they've lost -- love, excitement, passion -- this classic American independent film explores themes of aging and alienation.
0
Ferdinando Cefalù is desperate to marry his cousin, Angela, but he is married to Rosalia and divorce is illegal in Italy. To get around the law, he tries to trick his wife into having an affair so he can catch her and murder her, as he knows he would be given a light sentence for killing an adulterous woman. He persuades a painter to lure his wife into an affair, but Rosalia proves to be more faithful than he expected.
-5
In France of the late 19th century, the wife of a wealthy general, the Countess Louise, sells the earrings her husband gave her on their wedding day to pay off debts; she claims to have lost them. Her husband quickly learns of the deceit, which is the beginning of many tragic misunderstandings, all involving the earrings, the general, the countess, & her new lover, the Italian Baron Donati.
-3
In the fourth film of the Lone Wolf and Cub series, Ogami Itto is hired to kill a tattooed female assassin and battles Retsudo, head of the Yagyu clan, and his son Gunbei.
-3
Set in the holy city of Benares, this is the second film about the detective Feluda, in which he goes for a holiday along with his cousin, Topshe and his friend, Lalmohan Ganguly. But the theft of a priceless deity of Lord Ganesh (the Elephant God) from a local household forces him to investigate.
2
While her son, Kichi, is away at war, a woman and her daughter-in-law survive by killing samurai who stray into their swamp, then selling whatever valuables they find. Both are devastated when they learn that Kichi has died, but his wife soon begins an affair with a neighbor who survived the war, Hachi. The mother disapproves and, when she can't steal Hachi for herself, tries to scare her daughter-in-law with a mysterious mask from a dead samurai.
-6
In a small town in Nazi-occupied Slovakia during World War II, decent but timid carpenter Tono is named "Aryan comptroller" of a button store owned by an old Jewish widow, Rozalie. Since the post comes with a salary and standing in the town's corrupt hierarchy, Tono wrestles with greed and guilt as he and Rozalie gradually befriend each other. When the authorities order all Jews in town to be rounded up, Tono faces a moral dilemma unlike any he's known before.
-5
When the Earl of Gurney dies in a cross-dressing accident, his schizophrenic son, Jack, inherits the Gurney estate. Jack is not the average nobleman; he sings and dances across the estate and thinks he is Jesus reincarnated. Believing that Jack is mentally unfit to own the estate, the Gurney family plots to steal Jack's inheritance. As their outrageous schemes fail, the family strives to cure Jack of his bizarre behavior, with disastrous results.
-6
Struggling to elevate himself from his low caste in 17th century Japan, Miyamoto trains to become a mighty samurai warrior.
1
In the second film of the Lone Wolf and Cub series, Ogami Itto battles a group of female ninja in the employ of the Yagyu clan and must assassinate a traitor who plans to sell his clan's secrets to the Shogunate.
-3
A bank clerk is drawn into the risky world of a gorgeous gambling addict.
-1
Australian lawyer David Burton agrees with reluctance to defend a group of Aboriginal people charged with murdering one of their own. He suspects the victim was targeted for violating a tribal taboo, but the defendants deny any tribal association. Burton, plagued by apocalyptic visions of water, slowly realizes danger may come from his own involvement with the Aboriginal people and their prophecies.
-7
Having helped his brother King Edward IV take the throne of England, the jealous hunchback Richard, Duke of York, plots to seize power for himself. Masterfully deceiving and plotting against nearly everyone in the royal court, including his eventual wife, Lady Anne, and his brother George, Duke of Clarence, Richard orchestrates a bloody rise to power before finding all his gains jeopardized by those he betrayed.
-1
Queen Elizabeth I visits late 1970s England to find a depressing landscape where life has changed since her time.
-1
A judge in an unnamed country interviews three actors, together and singly, provoking them while investigating a pornographic performance for which they may face a fine. Their relationships are complicated: Sebastian, volatile, a heavy drinker, in debt, guilty of killing his former partner, is having an affair with that man's widow. She is Thea, high strung, prone to fits, and seemingly fragile, currently married to Sebastian's new partner, Hans. Hans is the troupe leader, wealthy, self-contained, and growing tired. The judge plays on the trio's insecurities, but when they finally, in a private session with him, perform the masque called The Rite, they may have their revenge.
-7
Amitabha Roy is a Calcutta-based scriptwriter, driving around in the country to collect material for a film. His vehicle breaks down in a small town. A tea planter, Bimal Gupta, offers hospitality for the night. Amitabha is forced to accept the offer as he has no alternative.
-1
The comedic tale of two minions of the devil who crash a Harlem party thrown by Miss Maybell with high hopes of destroying its festive atmosphere. The first of the imps to arrive, Trinity, loses sight of his mission and consequently falls in love with Miss Maybell's impressionable young niece Earnestine. Trinity is later joined by Brother Dave, his older, more jaded partner. But as Dave pulls out all the stops to dampen the mood, he serves only to enhance the partygoers' good spirits.
-3
Searching for his brother, Ryota stows away on a boat belonging to a criminal alongside two other teenagers. The group shipwrecks on Letchi island and discover the Infant Island natives have been enslaved by a terrorist organization controlling a crustacean monster. Finding a sleeping Godzilla, they decide to awaken him to defeat the terrorists and liberate the natives.
-1
Lovestruck conservatory student Ariane pretends to be just as much a cosmopolitan lover as the worldly mature Frank Flannagan hoping that l’amour will take hold.
1
A recently-deposed "Estrovian" monarch seeks shelter in New York City, where he becomes an accidental television celebrity. Later, he's wrongly accused of being a Communist and gets caught up in subsequent HUAC hearings.
-2
A young academy soldier, Maciek Chelmicki, is ordered to shoot the secretary of the KW PPR. A coincidence causes him to kill someone else. Meeting face to face with his victim, he gets a shock. He faces the necessity of repeating the assassination.  He meets Krystyna, a girl working as a barmaid in the restaurant of the "Monopol" hotel. His affection for her makes him even more aware of the senselessness of killing at the end of the war. Loyalty to the oath he took, and thus the obligation to obey the order, tips the scales.
-1
Martha Beck, an obese nurse who is desperately lonely, joins a "correspondence club" and finds a romantic pen pal in Ray Fernandez. Martha falls hard for Ray, and is intent on sticking with him even when she discovers he's a con man who seduces lonely single women, kills them and then takes their money. She poses as Ray's sister and joins Ray on a wild killing spree, fueled by her lingering concern that Ray will leave her for one of his marks.
-9
A wealthy, self-absorbed Rome socialite is tacked by guilt over the death of her young son. As a way of dealing with her grief and finding meaning in her life, she decides to devote her time and money to the city’s poor and sick. Her newfound, single-minded activism leads to conflicts with her husband and questions about her sanity.
-4
Once upon a time an old woman discovers a baby in her cabbage patch. She brings up the child and, when she dies, the boy, Toto, enters an orphanage. Toto leaves the orphanage a happy young man, and looks for work in post-war Milan. He ends up with the homeless and organizes them to build a shanty town in a vacant lot. The squatters discover oil in the land and Toto sees a vision of the old woman who gives him a magic dove that will grant him anything he wishes.
3
Belgian filmmaker Chantal Akerman lives in New York. Filmed images of the City accompany texts of Akerman's loving mother back home in Brussels. The City comes more and more to the front while the words of the mother, read by Akerman herself, gradually fade away.
1
Apu is a jobless ex-student dreaming vaguely of a future as a writer. An old college friend talks him into a visit up-country to a village wedding...
-1
A cowherd with a skull-mounted motorcycle and a university student meet in Dakar; put off by life in Senegal, they plan to make money in Paris.
0
Life at home changes when a housewife from a middle-class, conservative family in Calcutta gets a job as a salesperson.
-1
In this story of friendship and reproductive rights, 14 years in the relationship between two very dissimilar women are chronicled. Pauline is a middle-class city girl, at odds with her very conventional family. Suzanne is several years older, a country girl with two illegitimate children and another (whom she cannot support) on the way. Pauline loans Suzanne money for an abortion. At this point, the two separate and communicate mainly through postcards. Some years later, they meet at an abortion rally, and they have many adventures and stories to share with one another.
1
An Okinawan prophecy that foretells the destruction of the Earth is seeming fulfilled when Godzilla emerges to return to his destructive roots. But not all is what it seems after Godzilla breaks his ally Anguirus's jaw. Matters are further complicated when a second Godzilla emerges, revealing the doppelgänger as a mechanical weapon.
-4
Reporter Goro Maki stumbles upon scientists conducting weather experiments on Sollgel Island in the South Seas. He discovers the island is inhabited by giant mantis and a woman named Saeko who's been cast away since the death of her father. The pair soon find a helpless infant monster that Godzilla must adopt and learn to raise as one of his own.
-4
Inventor Goro Ibuki creates a humanoid robot named Jet Jaguar. It is soon seized by an undersea race of people called the Seatopians. Using Jet Jaguar as a guide, the Seatopians send Megalon as vengeance for the nuclear tests that have devastated their society.
-2
Manga artist Gengo Odaka lands a job with the World Children's Land amusement park only to become suspicious of the organization when a garbled message is discovered on tapes. As Gengo and his team investigate, Godzilla and Anguirus quickly decipher the message and begin their own plan of action.
-1
Lucky Jackson arrives in town with his car literally in tow ready for the first Las Vegas Grand Prix - once he has the money to buy an engine. He gets the cash easily enough but mislays it when the pretty swimming pool manageress takes his mind off things. It seems he will lose both race and girl, problems made more difficult by rivalry from Elmo Mancini, fellow racer and womaniser.
1
After serving time for manslaughter, young Vince Everett becomes a teenage rock star.
0
A humble and simple Takezo abandons his life as a knight errant. He's sought as a teacher and vassal by Shogun, Japan's most powerful clan leader. He's also challenged to fight by the supremely confident and skillful Sasaki Kojiro. Takezo agrees to fight Kojiro in a year's time but rejects Shogun's patronage, choosing instead to live on the edge of a village, raising vegetables. He's followed there by Otsu and later by Akemi, both in love with him. The year ends as Takezo assists the villagers against a band of brigands. He seeks Otsu's forgiveness and accepts her love, then sets off across the water to Ganryu Island for his final contest.
5
A woman suffers a subdued psychological breakdown in the wake of a devastating breakup.
-5
An ever evolving alien life-form arrives on a comet from the Dark Gaseous Nebula and proceeds to consume pollution. Spewing mists of sulfuric acid and corrosive sludge, neither humanity nor Godzilla may be able to defeat this toxic menace.
-5
In 1870s India, Charulata is an isolated, artistically inclined woman who sees little of her busy journalist husband, Bhupati. Realizing that his wife is alienated and unhappy, he convinces his cousin, Amal, to spend time with Charulata and nourish her creative impulses. Amal is a fledgling poet himself, and he and Charulata bond over their shared love of art. But over time a sexual attraction develops, with heartbreaking results.
0
This is the second part of a projected three-part epic biopic of Russian Czar Ivan Grozny, undertaken by Soviet film-maker Sergei Eisenstein at the behest of Josef Stalin.  Production of the epic was stopped before the third part could be filmed, due to producer dissatisfaction with Eisenstein's introducing forbidden experimental filming techniques into the material, more evident in this part than the first part.  As it was, this second part was banned from showings until after the deaths of both Eisenstein and Stalin, and a change of attitude by the subsequent heads of the Soviet government.  In this part, as Ivan the Terrible attempts to consolidate his power by establishing a personal army, his political rivals, the Russian boyars, plot to assassinate him.
-7
Lady Snowblood is caught by the police and sentenced to death for her crimes. As she is sent to the gallows she is rescued by the secret police who offer her a deal to assassinate some revolutionaries.
-2
In the end of 1809, Natasha attends her first ball. Andrei falls in love with her and intends to marry her, but her father demands they wait. The prince travels abroad, and Natasha desperately longs for him. But she then meets Anatol Kuragin and forgets of Andrei. At the last minute, she regrets and abandons her plans to elope with Anatol. Bolkonsky hears of this and declares their betrothal is over. Pierre, trying to calm her down, suddenly announces he loves her.
0
John Shaft is back as the lady-loved black detective cop on the search for the murderer of a client.
-1
In the sixth and final film of the Lone Wolf and Cub series, the final conflict between Ogami Itto and the Yagyu clan is carried out.
-2
In the third film of the Lone Wolf and Cub series, Ogami Itto volunteers to be tortured by Yakuza to save a prostitute and is hired by their leader to kill an evil chamberlain.
-4
A woman and her daughter are each forced to contend with an increasing pressure to marry, particularly from three men who knew her late husband.
-1
A reluctant cavalry Captain must track a defiant tribe of migrating Cheyenne.
-2
Actress Myrtle Gordon is a functioning alcoholic who is a few days from the opening night of her latest play, concerning a woman distraught about aging. One night a car kills one of Myrtle's fans who is chasing her limousine in an attempt to get the star's attention. Myrtle internalizes the accident and goes on a spiritual quest, but fails to finds the answers she is after. As opening night inches closer and closer, fragile Myrtle must find a way to make the show go on.
-3
A sportswriter who marries a fashion designer discovers that their mutual interests are few, although each has an intriguing past which makes the other jealous.
0
This deceptively simple tale of a bored English couple travelling to Italy to find a buyer for a house inherited from an uncle is transformed by Roberto Rossellini into a passionate story of cruelty and cynicism as their marriage disintegrates around them.
-4
A man clashes with his daughter over her choice of fiancé.
-1
A disillusioned, angry university graduate comes to terms with his grudge against middle-class life and values.
-3
In the fifth film of the Lone Wolf and Cub series, Ogami Itto is challenged by five warriors, each has one fifth of Ogami's assassin fee and one fifth of the information he needs to complete his assassination.
-2
The plot of his illegitimate son Mordred to gain the throne, and Guinevere's growing attachment to Sir Lancelot, threatens to topple King Arthur and destroy his "round table" of knights.
-3
Six children are found spread through out the world that not only have enormous intelligence, but identical intelligence and have a strange bond to each other.
1
Two sisters find out the existence of their long-lost mother, but the younger cannot accept the fact that she was abandoned as a child.
0
Director Jean Renoir’s entrancing first color feature—shot entirely on location in India—is a visual tour de force. Based on the novel by Rumer Godden, the film eloquently contrasts the growing pains of three young women with the immutability of the Bengal river around which their daily lives unfold. Enriched by Renoir’s subtle understanding and appreciation for India and its people, The River gracefully explores the fragile connections between transitory emotions and everlasting creation.
2
The story of Frank W. "Spig" Wead - a Navy-flyer turned screenwriter.
0
In Italy, Checco Dal Monte manages a troupe of traveling performers with plenty of heart but minimal talent. At a small town engagement, he encounters the starry-eyed, gorgeous Lily Antonelli, and hires her as a dancer on the show. Vivacious Lily quickly sells out crowds and earns the resentment of Checco's mistress, Melina Amour, but the fledgling performer has far bigger ambitions and soon sets her sights on a higher-profile role.
1
After years on the road establishing his reputation as Japan's greatest fencer, Takezo returns to Kyoto. Otsu waits for him, yet he has come not for her but to challenge the leader of the region's finest school of fencing. To prove his valor and skill, he walks deliberately into ambushes set up by the school's followers. While Otsu waits, Akemi also seeks him, expressing her desires directly. Meanwhile, Takezo is observed by Sasaki Kojiro, a brilliant young fighter, confident he can dethrone Takezo. After leaving Kyoto in triumph, Takezo declares his love for Otsu, but in a way that dishonors her and shames him. Once again, he leaves alone.
6
Detective John Shaft travels incognito to Ethiopia, then France, to bust a human trafficking ring.
-1
Outside time and reality, the experiences of a poet. The judgement of the young poet by Heurtebise and the Princess, the Gypsies, the palace of Pallas Athena, the spear of the Goddess which pierces the poet's heart, the temptation of the Sphinx, the flight of Oedipus and the final Assumption. This film is the third part of Cocteau's Orphic Trilogy, which consists of The Blood of a Poet (1930), Orpheus (1950) and Testament of Orpheus (1960).
-1
This documentary captures Elvis Presley on his 1972 American tour and includes rehearsals, interviews, archival television appearances and backstage moments. With Elvis at his most flamboyant, the film features well-known hits and cover songs showcasing his country, gospel and rhythm-and-blues influences.
1
Working-class British housewife Myra Savage reinvents herself as a medium, holding seances in the sitting room of her home with the hidden assistance of her under-employed, asthmatic husband, Billy. In an attempt to enhance her credibility as a psychic, Myra hatches an elaborate, ill-conceived plot to kidnap a wealthy couple's young daughter so that she can then help the police "find" the missing girl.
-1
An aged, wealthy trader plots with his servant to recreate a maritime tall tale, using a local woman and an unknown sailor as actors.
-1
Eager to find a better life abroad, a Senegalese woman becomes a mere governess to a family in southern France, suffering from discrimination and marginalization.
0
A young salary man and his wife struggle within the confines of their passionless relationship while he has an extramarital affair.
-1
A pair of down-on-their-luck swordsmen arrive in a dusty, windblown town, where they become involved in a local clan dispute. One, previously a farmer, longs to become a noble samurai. The other, a former samurai haunted by his past, prefers living anonymously with gangsters. But when both men discover the wrongdoings of the nefarious clan leader, they side with a band of rebels who are under siege at a remote mountain cabin.
-3
Best-selling author Tyvian Jones has a life of leisure in Venice, Italy, until he has a chance encounter with sultry Frenchwoman Eva Olivier. He falls for her instantly, despite already having wedding plans with Francesca Ferrara. Winning Eva's affection proves elusive; she's more interested in money than in love. But Tyvian remain steadfast in his obsession, going after Eva with a fervor that threatens to destroy his life.
6
A writer named Algernon (but called Harry by his friends) buys a picture of a boat on a lake, and his obsession with it renders normal life impossible.
0
A penetrating study of a marriage on the rocks, set against the backdrop of a small Mediterranean fishing village. Both a stylized depiction of the complicated relationship between a married couple and a documentary-like look at the daily struggles of the inhabitants of Sète in the South of France.
-1
A man walks into a meticulously clean and sterile bathroom and proceeds to shave. When his face is clean, however, he only continues to shave until he pierces through his skin. Blood covers him and falls around him, the red contrasting the perfect spotlessness of the bathroom.
3
Mike and Danny fly a cropduster, but because of Danny's gambling debts, a local sheriff takes custody of it. Trying to earn money, they hitch-hike to the World's Fair in Seattle and, while Danny tries to earn money playing poker, Mike takes care of a small girl whose father has disappeared. Being a ladies' man, he also finds the time to court a young nurse.
0
As Moscow is set ablaze by the retreating Russians, the Rostovs flee their estate, taking wounded soldiers with them, and unbeknownst to them, also Andrei. Pierre, dressed as a peasant, tries to assassinate Napoleon but is taken prisoner. As the French are forced to retreat, he is marched for months with the Grande Armée, until being freed by a raiding party. The French are defeated by Kutuzov in the Battle of Krasnoi. Andrei is recognized and is brought to his estate. He forgives Natasha on his deathbed. She reunites with Pierre and they marry as Moscow is being rebuilt.
-2
Fearless Edo-period police inspector Hanzo Itami, nicknamed The Razor, has developed his own unique way of extracting information for his inquiries. His first adventure sees him investigating his superior officer's mistress, whom he suspects of having ties with a reputed criminal on the loose.
-2
This impressionistic portrait of the 1964 Tokyo Summer Olympics pays as much attention to the crowds and workers as it does to the actual competitive events. Highlights include an epic pole-vaulting match between West Germany and America, and the final marathon race through Tokyo's streets. Two athletes are highlighted: Ethiopian marathon runner Abebe Bikila, who receives his second gold medal, and runner Ahamed Isa from Chad, representing a country younger than he is.
2
A film shot during the summer of 1968 in Oakland, California around the meetings organised by the Black Panthers Party to free Huey Newton, one of their leaders, and to turn his trial into a political debate. They tried and succeeded in catching America’s attention.
2
Hanzo extracts a confession from a ghost using his assaulting methods, foils thieves, connects with Heisuke Takei a friend from his youth, offers protection to a forward-thinking physician Genan Sugino who has defamed his ruler, discovers a pleasure ring of young wives and a blind music teacher, and cuckolds a corrupt official under his very nose.
-1
Arindam, a matinee idol, is going by train to collect an acting award. On the train, he is confronted by Aditi, a journalist who somewhat unwillingly starts to take his interview. Arindam, won over by Aditi's naivete, starts to disclose his past, his fears and his secrets.
1
Filmmaker Martin Scorsese interviews his mother and father about their life in New York and family history back in Sicily.
0
Now middle-aged, mobster Murray looks back at his humble beginnings as a bootlegger and his rise to becoming wealthy and highly influential. Through it he talks about how much of his success and happiness is due to the support of his "friend" Joe. Unfortunately the only one who blindly believes Joe is anything close to a friend is Murray, because it's obvious to everyone that Joe back-stabs him at every chance and is sleeping with his wife.
4
Martin Scorsese spends an evening with larger-than-life raconteur Steven Prince—a former drug addict, road manager for Neil Diamond, and actor—as he recounts stories from his colorful life.
0
Alec Graham is sentenced to death for the murder of his girlfriend Jennie, with whom he spent a weekend at the English country home of the parents of his friend Brian Stanford. Alec’s father, David Graham, a not-so-successful writer and alcoholic who has neglected his son in the past, flies in from Canada to visit his son on death row. David then goes on a quest to try and clear his son’s name while battling “the bottle.”
-3
Archie Rice, an old-time British vaudeville performer sinking into final defeat, schemes to stay in show business.
0
When fellow operatives and friends disappear during a mission in Hong Kong, Cleopatra Jones comes to help. She discovers the disappearance involves The Dragon Lady, a feared lipstick lesbian who runs a casino and the local drug trade.
0
Against the backdrop of the Edo treasury devaluing currency and driving many into poverty, Hanzo Itami enforces the law without regard to status. He shows inadequate respect to the treasurer, who wants him dead.
-1
In 1812, Napoleon's Army invades Russia. Kutuzov asks Bolkonsky to join him as a staff officer, yet the prince requests a command in the field. Pierre sets out to watch the upcoming confrontation between the armies. During the Battle of Borodino, he volunteers to assist in an artillery battery. Bolkonsky's unit waits in the reserve, but he is hit by a shell. Both Anatol and Bolkosnky suffer severe wounds. The French Army is victorious and advances on Moscow.
-3
Primary is a documentary film about the primary elections between John F. Kennedy and Hubert Humphrey in 1960. Primary is the first documentary to use light equipment in order to follow their subjects in a more intimate filmmaking style. This unconventional way of filming created a new look for documentary films where the camera’s lens was right in the middle of what ever drama was occuring.
2
A documentary film about the Afro-American Woodstock concert held in Los Angeles seven years after the Watts riots. Director Mel Stuart mixes footage from the concert with footage of the living conditions in the current day Watts neighborhood. The film won the Golden Globe for Best Documentary Film.
3
In the first episode, a heartbroken woman talks to her ex-lover on the phone. In the second, a pregnant woman believes she is carrying the child of Saint Joseph.
1
A wandering baba initiates a widower layer and his youngest daughter, irritating her boyfriend Satya and the ever-skeptical Nibaran.
-1
During a two-day period before and after the University of Alabama integration crisis, the film uses five camera crews to follow President John F. Kennedy, attorney general Robert F. Kennedy, Alabama governor George Wallace, deputy attorney general Nicholas Katzenbach and the students Vivian Malone and James Hood. As Wallace has promised to personally block the two black students from enrolling in the university, the JFK administration discusses the best way to react to it, without rousing the crowd or making Wallace a martyr for the segregationist cause.
1
A money order from a relative in Paris throws the life of a Senegalese family man out of order. He deals with corruption, greed, problematic family members, the locals and the changing from his traditional way of living to a more modern one.
-2
Performing at the Celebrity Star Theater in Phoenix on July 23, 1978, Carlin mesmerizes his audience in the second of his 12 HBO specials. The show was originally planned as part of a concert/sketch movie, The Illustrated George Carlin, that never came to fruition.The routines include: Death, Kids & Parents, Newscast #2, Time and Al Sleet, the Hippy-Dippy Weatherman. -- From Amazon.com
0
This fast-paced black comedy by wunderkind director Rainer Werner Fassbinder follows the frantic efforts of a starving and confused writer, Walter Kranz to beg, borrow or steal enough money to survive on, and at the same time make some sense of his confusing life. Unable to write enough to keep his publisher's royalty advances coming, he seeks out a woman he imagines is a prostitute and interviews her for material. He is also inspired to utter some poetry, which his brassy, outspoken wife identifies as coming from the famous homosexuality-advocating mystical German poet, Stefan George. This inspires Walter to take a closer look at the gay scene, and he quickly becomes a sort of celebrity there.
-2
This Academy Award-winning documentary short Paul Robeson: Tribute to an Artist, narrated by Sidney Poitier, traces the career of Paul Robeson through his activism and his socially charged performances of his signature song, “Ol’ Man River.”
0
The pregnancy of a young girl scandalizes her community.
0
Edited from almost 100 km of film footage shot during the Games, this feature documentary is a breathtaking portrait of the 1976 Montreal Olympics. Much more than a simple record of the Games, the film approaches each event with the intention of revealing the athlete - whether winner or loser - as a unique individual.
1
For a generation of young activists, the reality of war, imperialism, racism and the growing fragility of democratic liberalism was too much to handle. Force became a means to wrestle with this tension. As the discourse of a “country torn” finds its way into mainstream political analyses (for many the deep divisions in this country are not a new political reality), we should reflect on the writings of political dissidents and radicals. We should recognize the diversity of political analysis that is very much alive. The histories of armed struggle, if taken seriously, provide us with a means to think more critically about the center, and complicate its claims of moral and political right.
-5
Turner (Harry Baird), an African American soldier stationed in France, is granted a promotion and a three-day leave from base by his casually racist commanding officer and heads to Paris, where he finds whirlwind romance with a white woman (Nicole Berger)—but what happens to their love when his furlough is over?
0
Events and athletes that characterized the 1960 Summer Olympics in Rome. From the absolute protagonist Wilma Rudolph, called the black gazelle, to Livio Berruti, the first white to win the 200 meters, to the deeds of Ethiopian marathon runner Abebe Bikila, who won the marathon racing barefoot.
2
A documentary about the 1972 Winter Olympic Games in Sapporo, Japan.
0
A documentary covering the 1952 Winter Olympics in Oslo, Norway.
0
A documentary on the 1964 Olympic Games in Innsbruck, Austria.
0
American Revolution 2 begins with footage of the political demonstrations at the 1968 Democratic Convention and the forceful reaction of the Chicago Police Department and the National Guard. Investigating the lack of an African American presence at the protests, the filmmakers follow members of the Chicago chapter of the Black Panther Party as they search for common ground with a variety of white activist groups.  In one scene, Panther Bobby Lee and members of the Young Patriots, a community of white Appalachian activists living in the Uptown neighborhood of Chicago, organize to protest police brutality. The seemingly disparate groups find shared social and political objectives that overcome racial differences – police violence, poverty, lack of employment, and poor living conditions. This potential for a cross-racial and interethnic political movement is the movie’s beautiful but unrealized dream.
-5
Police Power and Freedom of Assembly: The Gregory March, documents the protests on Thursday, August 29th at the 1968 Democratic National Convention. Comedian/activist Dick Gregory is arrested as he attempts to lead a march to break the police cordon around the Chicago Loop. This film is incorporated into the Film Group’s feature “American Revolution II.”
-1
The People’s Right to Know: Police vs. Reporters interviews photojournalist Paul Sequeira on his experience covering the 1968 Convention and the police attempts to physically restrict reporters’ access.
0
Documentary about the XIX Olympic Games in Mexico City in 1968
0
Social Confrontation: The Battle of Michigan Ave. shows the events of Wednesday, August 28 at the 1968 Democratic Convention including National Guardsmen detaining protesters, mass arrests near Grant Park, and Mayor Daley cursing at opponents from the convention floor.
-2
The Right to Dissent: A Press Conference, records a pre-convention press conference of the National Committee to End in the War in Vietnam. David Dellinger and Rennie Davis recount their difficulties in dealing with the City of Chicago to plan their protests against the 1968 Democratic Convention.
-2
Law and Order vs. Dissent intercuts footage of the police response to the demonstrations at the 1968 Democratic Convention with press conferences by Mayor Richard J. Daley and a spokesman for the Chicago Police Department in which they place the blame for the violence on the student protesters.
-2
The true story of Henry Hill, a half-Irish, half-Sicilian Brooklyn kid who is adopted by neighbourhood gangsters at an early age and climbs the ranks of a Mafia family under the guidance of Jimmy Conway.
0
In the post-apocalyptic future, reigning tyrannical supercomputers teleport a cyborg assassin known as the "Terminator" back to 1984 to kill Sarah Connor, whose unborn son is destined to lead insurgents against 21st century mechanical hegemony. Meanwhile, the human-resistance movement dispatches a lone warrior to safeguard Sarah. Can he stop the virtually indestructible killing machine?
-5
After losing their posts at an university, three parapsychology professors go into business as „ghostbusters“ who fight against ghouls, hobgoblins and supernatural pests of all kinds. After they found a gateway to another dimension, the evil gets released upon the city. The three professors now have to save New York from complete destruction.
-4
After an untimely death, a newly dead New England couple seek help from a deranged demon exorcist to scare an affluent New York family out of their home.
-4
Construction worker Douglas Quaid's obsession with the planet Mars leads him to visit Recall, a company who manufacture memories. Something goes wrong during his memory implant turning Doug's life upside down and even to question what is reality and what isn't.
0
Novelist Paul Sheldon crashes his car on a snowy Colorado road. He is found by Annie Wilkes, the "number one fan" of Paul's heroine Misery Chastaine. Annie is also dangerously unstable, and Paul finds himself crippled, drugged, and at her mercy.
-2
A team of elite commandos on a secret mission in a Central American jungle come to find themselves hunted by an extraterrestrial warrior.
1
A tough-on-crime street cop must protect the only surviving witness to a strange murderous cult with far reaching plans.
-1
Twenty years ago in the sleepy mining town of Valentine Bluffs, a fatal mining disaster occurred on Valentine's Day while some of the crew was decorating for a party. The sole survivor of the accident killed the remaining crewmembers and warned the town not to celebrate Valentine's Day again. When a group of teenagers decides to defy that order, a murderous maniac in mining gear begins dispatching townsfolk in bloody and creative ways.
-5
When former Green Beret John Rambo is harassed by local law enforcement and arrested for vagrancy, the Vietnam vet snaps, runs for the hills and rat-a-tat-tats his way into the action-movie hall of fame. Hounded by a relentless sheriff, Rambo employs heavy-handed guerilla tactics to shake the cops off his tail.
-3
After the death of his wife, Danny enlists his best friend and his brother-in-law to help raise his three daughters, D.J., Stephanie, and Michelle.
0
A man wanders out of the desert not knowing who he is. His brother finds him, and helps to pull his memory back of the life he led before he walked out on his family and disappeared four years earlier.
0
A trio of unemployed silent film actors are mistaken for real heroes by a small Mexican village in search of someone to stop a malevolent bandit.
-1
Two sisters move to the country with their father in order to be closer to their hospitalized mother, and discover the surrounding trees are inhabited by Totoros, magical spirits of the forest. When the youngest runs away from home, the older sister seeks help from the spirits to find her.
1
When car dealer Charlie Babbitt learns that his estranged father has died, he returns home to Cincinnati, where he discovers that he has a savant older brother named Raymond and that his father's $3 million fortune is being left to the mental institution in which Raymond lives. Motivated by his father's money, Charlie checks Raymond out of the facility in order to return with him to Los Angeles. The brothers' cross-country trip ends up changing both their lives.
0
The discovery of a severed human ear found in a field leads a young man on an investigation related to a beautiful, mysterious nightclub singer and a group of criminals who have kidnapped her child.
0
When Seth Brundle makes a huge scientific and technological breakthrough in teleportation, he decides to test it on himself. Unbeknownst to him, a common housefly manages to get inside the device and the two become one.
1
Test pilot Tuck Pendleton volunteers to test a special vessel for a miniaturization experiment. Accidentally injected into a neurotic hypochondriac, Jack Putter, Tuck must convince Jack to find his ex-girlfriend, Lydia Maxwell, to help him extract Tuck and his ship and re-enlarge them before his oxygen runs out.
-1
Will, a street-smart teenager, moves from the tough streets of West Philly to posh Bel-Air to live with his Uncle Philip, Aunt Vivian, his cousins — spoiled Hilary, preppy Carlton and young Ashley — and their sophisticated British butler, Geoffrey. Though Will’s antics and upbringing contrast greatly with the upper-class lifestyle of his extended relatives, he soon finds himself right at home as a loved part of the family.
4
Frank Galvin is a down-on-his-luck lawyer and reduced to drinking and ambulance chasing, when a former associate reminds him of his obligations in a medical malpractice suit by serving it to Galvin on a silver platter—all parties are willing to settle out of court. Blundering his way through the preliminaries, Galvin suddenly realizes that the case should actually go to court—to punish the guilty, to get a decent settlement for his clients... and to restore his standing as a lawyer.
-1
Jack Terry is a master sound recordist who works on grade-B horror movies. Late one evening, he is recording sounds for use in his movies when he hears something unexpected through his sound equipment and records it. Curiosity gets the better of him when the media become involved, and he begins to unravel the pieces of a nefarious conspiracy. As he struggles to survive against his shadowy enemies and expose the truth, he does not know whom he can trust.
-3
Young history buff Kevin can scarcely believe it when six dwarfs emerge from his closet one night. Former employees of the Supreme Being, they've purloined a map charting all of the holes in the fabric of time and are using it to steal treasures from different historical eras. Taking Kevin with them, they variously drop in on Napoleon, Robin Hood and King Agamemnon before the Supreme Being catches up with them.
1
A single mother gives her son a beloved doll for his birthday, only to discover that it is possessed by the soul of a serial killer.
0
Batman must face his most ruthless nemesis when a deformed madman calling himself "The Joker" seizes control of Gotham's criminal underworld.
-6
A testament to NASA's Apollo program of the 1960s and '70s. Composed of actual NASA footage of the missions and astronaut interviews, the documentary offers the viewpoint of the individuals who braved the remarkable journey to the moon and back.
1
As a young and naive recruit in Vietnam, Chris Taylor faces a moral crisis when confronted with the horrors of war and the duality of man.
-2
Elliot, a successful gynecologist, works at the same practice as his identical twin, Beverly. Elliot is attracted to many of his patients and has affairs with them. When he inevitably loses interest, he will give the woman over to Beverly, the meeker of the two, without the woman knowing the difference. Beverly falls hard for one of the patients, Claire, but when she inadvertently deceives him, he slips into a state of madness.
-1
Jonathan Switcher, an unemployed artist, finds a job as an assistant window dresser for a department store. When Jonathan happens upon a beautiful mannequin he previously designed, she springs to life and introduces herself as Emmy, an Egyptian under an ancient spell. Despite interference from the store's devious manager, Jonathan and his mannequin fall in love while creating eye-catching window displays to keep the struggling store in business.
-2
Jessica, the daughter of an impoverished apple farmer, still believes in Santa Claus. So when she comes across a reindeer with an injured leg, it makes perfect sense to her to assume that it is Prancer, who had fallen from a Christmas display in town. She hides the reindeer in her barn and feeds it cookies, until she can return it to Santa. Her father finds the reindeer an decides to sell it to the butcher, not for venison chops, but as an advertising display.
-2
When two poor Greasers, Johnny and Ponyboy, are assaulted by a vicious gang, the Socs, and Johnny kills one of the attackers, tension begins to mount between the two rival gangs, setting off a turbulent chain of events.
-6
When teenager Ren and his family move from big-city Chicago to a small town in the West, he's in for a real case of culture shock after discovering he's living in a place where music and dancing are illegal.
-2
Wounded Civil War soldier, John Dunbar tries to commit suicide—and becomes a hero instead. As a reward, he's assigned to his dream post, a remote junction on the Western frontier, and soon makes unlikely friends with the local Sioux tribe.
1
Three single women in a picturesque Rhode Island village have their wishes granted - at a cost - when a mysterious and flamboyant man arrives in their lives.
0
Wallace Shawn and Andre Gregory, apparently playing themselves, share their lives over the course of an evening meal at a restaurant.
0
Sixteen-year-old Michael Dunn arrives at St. Basil's Catholic Boys School in Brooklyn circa 1965. There, he befriends all of the misfits in his class as they collide with the repressive faculty and discover the opposite sex as they come of age.
-2
In the midst of a searing Florida heat wave, a woman convinces her lover, a small-town lawyer, to murder her rich husband.
1
A Jewish boy separated from his family in the early days of WWII poses as a German orphan and is taken into the heart of the Nazi world as a 'war hero' and eventually becomes a Hitler Youth.
0
It is the 23rd century. The Federation Starship U.S.S. Enterprise is on routine training maneuvers and Admiral James T. Kirk seems resigned to the fact that this inspection may well be the last space mission of his career. But Khan is back. Aided by his exiled band of genetic supermen, Khan - brilliant renegade of 20th century Earth - has raided Space Station Regula One, stolen a top secret device called Project Genesis, wrested control of another Federation Starship and sets out in pursuit of the Enterprise, determined to let nothing stand in the way of his mission: kill Admiral Kirk... even if it means universal Armageddon.
0
An anthology film presenting remakes of three episodes from the TV series "Kick the Can", "It's a Good Life" and "Nightmare at 20,000 Feet" and featuring one original story "Time Out".
0
Hypochondriac Joe Banks finds out he has six months to live, quits his dead end job, musters the courage to ask his co-worker out on a date, and is then hired to jump into a volcano by a mysterious visitor.
-1
Seven old college friends gather for a weekend reunion after the funeral of one of their own.
0
Veteran catcher Crash Davis is brought to the minor league Durham Bulls to help their up and coming pitching prospect, "Nuke" Laloosh. Their relationship gets off to a rocky start and is further complicated when baseball groupie Annie Savoy sets her sights on the two men.
-3
Five years after they defeated Gozer, the Ghostbusters are out of business. When Dana begins to have ghost problems again, the boys come out of retirement to aid her and hopefully save New York City from a new paranormal threat.
-1
In Moscow in 1983, an American journalist interviews Guy Bennett, who recalls his last year at public school, fifty years before, and how it contributed to him becoming a spy.
0
Miriam promises her lovers the gift of eternal life, but John, her companion for centuries, suddenly discovers that he is getting old minute by minute, so he looks for Dr. Sarah Roberts, a researcher on the mechanisms of aging, and asks her for help.
2
Andie is an outcast, hanging out either with her older boss, who owns the record store where she works, or her quirky high school classmate Duckie, who has a crush on her. When one of the rich and popular kids at school, Blane, asks Andie out, it seems too good to be true. As Andie starts falling for Blane, she begins to realize that dating someone from a different social sphere is not easy.
2
Heiress Joanna Stayton hires carpenter Dean Proffitt to build a closet on her yacht—and refuses to pay him for the project when it's done. But after Joanna accidentally falls overboard and loses her memory, Dean sees an opportunity to get even.
-3
When Lucy Honeychurch and chaperon Charlotte Bartlett find themselves in Florence with rooms without views, fellow guests Mr Emerson and son George step in to remedy the situation. Meeting the Emersons could change Lucy's life forever but, once back in England, how will her experiences in Tuscany affect her marriage plans?
1
A police chief in the war-torn streets of Los Angeles discovers that an extraterrestrial creature is hunting down residents - and that he is the next target.
0
A brain surgeon tries to end his unhappy marriage to spend more time with a disembodied brain.
-1
Jack and Caroline are a couple making a decent living when Jack suddenly loses his job. They agree that he should stay at home and look after the house while Caroline works. It's just that he's never done it before, and really doesn't have a clue...
1
An epic tale spanning forty years in the life of Celie, an African-American woman living in the South who survives incredible abuse and bigotry. After Celie's abusive father marries her off to the equally debasing 'Mister' Albert Johnson, things go from bad to worse, leaving Celie to find companionship anywhere she can. She perseveres, holding on to her dream of one day being reunited with her sister in Africa.
-4
An honest, goodhearted man is forced to turn to a life of crime to finance his neurotic mother's skyrocketing medical bills.
-1
A young tomboy, Watts, finds her feelings for her best friend, Keith, run deeper than just friendship when he gets a date with the most popular girl in school.
2
Three teenage girls come of age while working at a pizza parlor in Mystic, Connecticut.
0
After a man with extraordinary—and frighteningly destructive—telepathic abilities is nabbed by agents from a mysterious rogue corporation, he discovers he is far from the only possessor of such strange powers, and that some of the other “scanners” have their minds set on world domination, while others are trying to stop them.
-4
Chainsaw-wielding maniac Leatherface is up to his cannibalistic ways once again, along with the rest of his twisted clan, including the equally disturbed Chop-Top. This time, the masked killer has set his sights on pretty disc jockey Vanita "Stretch" Brock, who teams up with Texas lawman Lefty Enright to battle the psychopath and his family deep within their lair, a macabre abandoned amusement park.
-4
A dramatic history of Pu Yi, the last of the Emperors of China, from his lofty birth and brief reign in the Forbidden City, the object of worship by half a billion people; through his abdication, his decline and dissolute lifestyle; his exploitation by the invading Japanese, and finally to his obscure existence as just another peasant worker in the People's Republic.
-6
A young boy named Luke and his grandmother go on vacation only to discover their hotel is hosting an international witch convention, where the Grand High Witch is unveiling her master plan to turn all children into mice. Will Luke fall victim to the witches' plot before he can stop them?
0
When a shy teenager's new-found powers help him score at basketball - and with the popular girls - he has some pretty hairy decisions to make.
2
A struggling young writer finds his life and work dominated by his unfaithful wife and his radical feminist mother, whose best-selling manifesto turns her into a cultural icon.
0
A long-running dramedy centering on the Winslow family, a middle-class African American family living in Chicago, and their pesky next-door neighbor, ultra-nerd Steve Urkel. A spin-off of Perfect Strangers.
0
After losing a powerful orb, Kara, Superman's cousin, comes to Earth to retrieve it and instead finds herself up against a wicked witch.
-1
The Griswalds win a vacation to Europe on a game show, and so pack their bags for the continent. They do their best to catch the flavor of Europe, but they just don't know how to be be good tourists. Besides, they have trouble taking holidays in countries where they CAN speak the language.
2
The definitive story of the Civil Rights era from the point of view of the ordinary men and women whose extraordinary actions launched a movement that changed the fabric of American life, and embodied a struggle whose reverberation continue to be felt today.
1
It's the 23rd century, and a mysterious alien power is threatening Earth by evaporating the oceans and destroying the atmosphere. In a frantic attempt to save mankind, Kirk and his crew must time travel back to 1986 San Francisco where they find a world of punk, pizza and exact-change buses that are as alien as anything they've ever encountered in the far reaches of the galaxy. A thrilling, action-packed Star Trek adventure!
-3
James Bond is sent to investigate after a fellow “00” agent is found dead with a priceless Indian Fabergé egg. Bond follows the mystery and uncovers a smuggling scandal and a Russian General who wants to provoke a new World War.
-3
When a New York reporter plucks crocodile hunter Mick Dundee from the Australian Outback for a visit to the Big Apple, it's a clash of cultures and a recipe for good-natured comedy as naïve Dundee negotiates the concrete jungle. He proves that his instincts are quite useful in the city and adeptly handles everything from wily muggers to high-society snoots without breaking a sweat.
-2
A group of friends graduate from the halls of Georgetown University into lives that revolve around sex and career aspirations. Kirby waits tables to pay for law school. His roommate Kevin struggles at a D.C. newspaper as he searches for the meaning of love. Jules, an object of adoration and envy, but secretly she has problems of her own. Demure Wendy is in love with Billy—a loveable sax player and an irresponsible drunk. Alec wants it all: a career in politics and the appearance of a traditional home life. Alec’s girlfriend, Leslie, is an ambitious architect who doesn't know about his infidelity, but his new allegiance to the Republican Party is already enough to put her off marriage.
1
When Doug's father, an Air Force Pilot, is shot down by MiGs belonging to a radical Middle Eastern state, no one seems able to get him out. Doug finds Chappy, an Air Force Colonel who is intrigued by the idea of sending in two fighters piloted by himself and Doug to rescue Doug's father after bombing the MiG base.
-1
The owner of a seedy small-town Texas bar discovers that one of his employees is having an affair with his wife. A chaotic chain of misunderstandings, lies and mischief ensues after he devises a plot to have them murdered.
-6
John Rambo is released from prison by the government for a top-secret covert mission to the last place on Earth he'd want to return - the jungles of Vietnam.
-1
In this humorous paean to the joys of food, a pair of truck drivers happen onto a decrepit roadside shop selling ramen noodles. The widowed owner, Tampopo, begs them to help her turn her establishment into a paragon of the "art of noodle-soup making". Interspersed are satirical vignettes about the importance of food to different aspects of human life.
0
Two out-of-work actors -- the anxious, luckless Marwood and his acerbic, alcoholic friend, Withnail -- spend their days drifting between their squalid flat, the unemployment office and the pub. When they take a holiday "by mistake" at the country house of Withnail's flamboyantly gay uncle, Monty, they encounter the unpleasant side of the English countryside: tedium, terrifying locals and torrential rain.
-4
Admiral Kirk and his bridge crew risk their careers stealing the decommissioned Enterprise to return to the restricted Genesis planet to recover Spock's body.
-2
Fifteen-year-old Charlotte Flax is tired of her wacky mom moving their family to a different town any time she feels it is necessary. When they move to a small Massachusetts town and Mrs. Flax begins dating a shopkeeper, Charlotte and her 9-year-old sister, Kate, hope that they can finally settle down. But when Charlotte's attraction to an older man gets in the way, the family must learn to accept each other for who they truly are.
0
Self-made millionaire Thornton Melon decides to get a better education and enrolls at his son Jason's college. While Jason tries to fit in with his fellow students, Thornton struggles to gain his son's respect, giving way to hilarious antics.
3
High school basketball is king in small-town Indiana, and the 1954 Hickory Huskers are all hope and no talent. But their new coach -- abrasive, unlikable Norman Dale -- whips the team into shape ... while also inciting controversy.
-1
A young man searches for the "master" to obtain the final level of martial arts mastery known as the glow. Along the way he must fight an evil martial arts expert and rescue a beautiful singer from an obsessed music promoter.
4
A mysterious oriental skull transforms a father into his son, and vice versa.
-2
A young witch, on her mandatory year of independent life, finds fitting into a new community difficult while she supports herself by running an air courier service.
0
Larry Donner, an author with a cruel ex-wife, teaches a writing workshop in which one of his students, Owen, is fed up with his domineering mother. When Owen watches a Hitchcock classic that seems to mirror his own life, he decides to put the movie's plot into action and offers to kill Larry's ex-wife, if Larry promises to murder his mom. Before Larry gets a chance to react to the plan, it seems that Owen has already set things in motion.
-3
Aurora, a finicky woman, is in search of true love while her daughter faces marital issues. Together, they help each other deal with problems and find reasons to live a joyful life.
-1
A Pakistani Briton renovates a rundown laundrette with his male lover while dealing with drama within his family, the local Pakistani community, and a persistent mob of skinheads.
1
A Hungarian immigrant, his friend, and his cousin go on an unpredictable adventure across America.
-1
Combat has taken its toll on Rambo, but he's finally begun to find inner peace in a monastery. When Rambo's friend and mentor Col. Trautman asks for his help on a top secret mission to Afghanistan, Rambo declines but must reconsider when Trautman is captured.
0
A Different World is an American television sitcom which aired for six seasons on NBC. It is a spin-off series from The Cosby Show and originally centered on Denise Huxtable and the life of students at Hillman College, a fictional mixed but historically black college in the state of Virginia. After Bonet's departure in the first season, the remainder of the series primarily focused more on Southern belle Whitley Gilbert and mathematics whiz Dwayne Wayne. The series frequently depicted members of the major historically black fraternities and sororities.

While it was a spin-off from The Cosby Show, A Different World would typically address issues that were avoided by The Cosby Show writers. One episode that aired in 1990 was one of the first American network television episodes to address the HIV/AIDS epidemic.
-3
A socially inept fourteen year old experiences heartbreak for the first time when his two best friends -- Cappie, an older-brother figure, and Maggie, the new girl with whom he is in love -- fall for each other.
0
After a defecting Russian general reveals a plot to assassinate foreign spies, James Bond is assigned a secret mission to dispatch the new head of the KGB to prevent an escalation of tensions between the Soviet Union and the West.
-3
A young woman struggling to maintain a relationship with her boyfriend has her life upturned by the arrival of her estranged, maladjusted sister "Sweetie".
-3
Based on the autobiographical work of New Zealand writer Janet Frame, this production depicts the author at various stage of her life. Afflicted with mental and emotional issues, Frame grows up in an impoverished family and experiences numerous tragedies while still in her youth, including the deaths of two of her siblings. Portrayed as an adult by Kerry Fox, Frame finds acclaim for her writing while still in a mental institution, and her success helps her move on with her life.
-1
Yuddy, a Hong Kong playboy known for breaking girls' hearts, tries to find solace and the truth after discovering the woman who raised him isn't his mother.
0
Officer Chan Ka Kui manages to put a major Hong Kong drug dealer behind the bars practically alone, after a shooting and an impressive chase inside a slum. Now, he must protect the boss' secretary, Selina, who will testify against the gangster in court.
1
A victim of his own anger, the Kid is a Minneapolis musician on the rise with his band, the Revolution, escaping a tumultuous home life through music. While trying to avoid making the same mistakes as his truculent father, the Kid navigates the club scene and a rocky relationship with a captivating singer, Apollonia. But another musician, Morris, looks to steal the Kid's spotlight -- and his girl.
-4
The small city of Tarker's Mill is startled by a series of sadistic murders. The population fears that this is the work of a maniac. During a search a mysterious, hairy creature is observed. This strange appearance is noticed once a month. People lock themselves up at night, but there's one boy who's still outside, he's preparing the barbecue.
-4
A disc jockey, a pimp and an Italian tourist escape from jail in New Orleans.
0
A confident young cop is shown the ropes by a veteran partner in the dangerous gang-controlled barrios of Los Angeles, where the gang culture is enforced by the colors the members wear.
0
A young boy and a girl with a magic crystal must race against pirates and foreign agents in a search for a legendary floating castle.
2
Australian outback expert protects his New York love from gangsters who've followed her down under.
0
A lesbian college graduate, trying to bankroll her own photography business, works as a high-priced New York City escort.
0
When principal Joe Clark takes over decaying Eastside High School, he's faced with students wearing gang colors and graffiti-covered walls. Determined to do anything he must to turn the school around, he expels suspected drug dealers, padlocks doors and demands effort and results from students, staff and parents. Autocratic to a fault, this real-life educator put it all on the line.
-2
The story of an old Jewish widow named Daisy Werthan and her relationship with her black chauffeur, Hoke. From an initial mere work relationship grew in 25 years a strong friendship between the two very different characters in a time when those types of relationships where shunned.
1
As children in the loving Ekdahl family, Fanny and Alexander enjoy a happy life with their parents, who run a theater company. After their father dies unexpectedly, however, the siblings end up in a joyless home when their mother, Emilie, marries a stern bishop. The bleak situation gradually grows worse as the bishop becomes more controlling, but dedicated relatives make a valiant attempt to aid Emilie, Fanny and Alexander.
1
A faulty computer causes a passenger space shuttle to head straight for the sun, and man-with-a-past, Ted Striker must save the day and get the shuttle back on track – again – all the while trying to patch up his relationship with Elaine.
-1
In the late 1970s, Cockney crime boss Harold Shand, a gangster trying to become a legitimate property mogul, has big plans to get the American Mafia to bankroll his transformation of a derelict area of London into the possible venue for a future Olympic Games. However, a series of bombings targets his empire on the very weekend the Americans are in town. Shand is convinced there is a traitor in his organization, and sets out to eliminate the rat in typically ruthless fashion.
-4
A womanizer meets his match when he falls for the daughter of a gambling addict who is in debt to the mob.
-4
The Hong Kong super-cop must stop a group of blackmailing bombers at the same time that the villains of the first Police Story are out for revenge.
-1
In the Golden Age of Hollywood, two men had it all; one was a top screenwriter, the other a film idol. But when the witch hunts of McCarthyism swept into Tinseltown, it drove one out of the country and the other to suicide.
2
Starting his new job as an instructor at a New England school for the deaf, James Leeds meets Sarah Norman, a young deaf woman who works at the school as a member of the custodial staff. In spite of Sarah's withdrawn emotional state, a romance slowly develops between the pair.
-3
A murder takes place in the shop of David Lyons, a deaf man who fails to hear the gunshot being fired. Outside, blind man Wally Karue hears the shot but cannot see the perpetrator. Both are arrested, but escape to form an unlikely partnership. Being chased by both the law AND the original killers, can the pair work together to outwit them all?
-4
Rebbe Mendel is a single father who teaches the Talmud, a sacred text of Judaism, to the boys of his small Polish town. Behind closed doors, he also instructs his daughter, Yentl, despite the fact that girls are forbidden to study religious scripture. When Yentl's father dies, she still has a strong desire to learn about her faith -- so she disguises herself as a male, enrolls in a religious school, and unexpectedly finds love along the way.
1
The crew of the Federation starship Enterprise is called to Nimbus III, the Planet of Intergalactic Peace. They are to negotiate in a case of kidnapping only to find out that the kidnapper is a relative of Spock. This man is possessed by his life long search for the planet Sha Ka Ree which is supposed to be the source of all life. Together they begin to search for this mysterious planet.
0
Jack Spade returns from the army in his old ghetto neighbourhood when his brother, June Bug, dies. Jack declares war on Mr. Big, powerful local crimelord. His army is led by John Slade, his childhood idol who used to fight bad guys in the 70s.
-1
During the Vietnam War, a soldier finds himself the outsider of his own squad when they unnecessarily kidnap a female villager.
-1
After a global war, the seaside kingdom known as the Valley of the Wind remains one of the last strongholds on Earth untouched by a poisonous jungle and the powerful insects that guard it. Led by the courageous Princess Nausicaä, the people of the Valley engage in an epic struggle to restore the bond between humanity and Earth.
0
Cheech and Chong house sit for a marijuana grower and rip off the crop. Stalked by keystone-style cops, Los Guys have a series of encounters with L.A. area characters even weirder than themselves
-1
Aiming to defeat the Man of Steel, wealthy executive Ross Webster hires bumbling but brilliant Gus Gorman to develop synthetic kryptonite, which yields some unexpected psychological effects in the third installment of the 1980s Superman franchise. Between rekindling romance with his high school sweetheart and saving himself, Superman must contend with a powerful supercomputer.
3
Martin Brundle, born of the human/fly, is adopted by his father's place of employment (Bartok Inc.) while the employees simply wait for his mutant chromosomes to come out of their dormant state.
0
A bad Polish actor is just trying to make a living when Poland is invaded by the Germans in World War II. His wife has the habit of entertaining young Polish officers while he's on stage, which is also a source of depression to him. When one of her officers comes back on a Secret Mission, the actor takes charge and comes up with a plan for them to escape.
-1
Young Kid has been invited to a party at his friend Play's house. But after a fight at school, Kid's father grounds him. None the less, Kid sneaks out when his father falls asleep. But Kid doesn't know that three of the thugs at school have decided to give him a lesson in behavior.
-3
On one of his bratty son Eric's annual visits, the plutocrat U.S. Bates takes him to his department store and offers him anything in it as a gift. Eric chooses a black janitor who has made him laugh with his antics. At first the man suffers many indignities as Eric's "toy", but gradually teaches the lonely boy what it is like to have and to be a friend.
-2
After a young woman suffers a brutal rape in a bar one night, a prosecutor assists in bringing the perpetrators to justice, including the ones who encouraged and cheered on the attack.
-4
An adult-oriented version of what would eventually become an award-winning children's classic. This version of the show features Pee-wee's playhouse and many of the characters of the later series, but with adult and sexual overtones and jokes including "mirror shoes" and others.
0
Matthew Hollis is man on holiday in Rio with his best friend. Both men have teenage daughters with them. When Matthew falls for his best friend's amorous daughter named Jennifer, they embark on a secret, if slightly one-sided relationship. Jennifer's father is furious when he finds out about the 'older man' in his daughter's life, and sets out to hunt him down with the aid of Matthew!
-1
Joe's a car salesman with a problem—he has two days to sell 12 cars or he loses his job. This would be a difficult task at the best of times but Joe has to contend with his girlfriends (he's two-timing), a missing teenage daughter and an ex-wife.
-2
When mild-mannered teacher Billy Ray Smith (Anthony Edwards) vows to bring a student's kidnapper to justice, he needs a bit of help. Lacking any cowboy skills of his own, he signs on a speedy gunslinger (Joe Pantoliano) and a no-nonsense cowboy (Louis Gossett Jr.) to help. Now, Smith may just have a chance at capturing his man: the merciless bandit El Diablo (Robert Beltran).
0
George is a small-time crook just out of prison who discovers his tough-guy image is out of date. Reduced to working as a minder/driver for high class call girl Simone, he has to agree when she asks him to find a young colleague from her King's Cross days. That's when George's troubles just start.
-3
Their job is stealing, their lives a cruel dead end. Director Jon Alpert takes his cameras undercover for this hard-hitting look at men who live by theft and suffer addiction. Focusing on a year in the lives of three professional criminals, this gritty profile—which includes hidden-camera footage of actual thefts—exposes the "petty" crimes that are paralyzing America.
-8
After his rich father refuses to pay his debt, compulsive gambler Lawrence Bourne III joins the Peace Corps to evade angry creditors. In Thailand, he is assigned to build a bridge for the local villagers with the help of American-As-Apple-Pie WSU Grad Tom Tuttle and the beautiful and down-to earth Beth Wexler.  What they don't realize is that the bridge is coveted by the U.S. Army, a local Communist force, and a powerful drug lord. Together with the help of At Toon, the only English speaking native, they must fight off the three opposing forces and find out what is right for the villagers, as well as themselves.
1
After a film student gets his belongings stolen, he meets a mobster bearing a startling resemblance to a certain cinematic godfather. Soon, he finds himself caught up in a caper involving endangered species and fine dining.
-2
A French housekeeper with a mysterious past brings quiet revolution in the form of one exquisite meal to a circle of starkly pious villagers in late 19th century Denmark.
0
After policeman Frank Dooley is framed for theft and loses his job on the force, he joins a security guard agency and teams up with inept former defense lawyer Norman Kane. When the two botch a job guarding a local warehouse, they begin to uncover corruption within the company and their union.
-4
The story of straight-edge literature professor Vivian who travels to Reno to get away from a relationship breakup when she falls in love with an attractive and unconventional girl named Cay.
0
Recently released from a mental hospital, Ricky ties up Marina, a film star he once had sex with and keeps her hostage.
-1
Substance-addicted Hollywood actress, Suzanne Vale is on the skids. After a spell at a detox centre her film company insists as a condition of continuing to employ her that she live with her mother, herself once a star and now a champion drinker. Such a set-up is bad news for Suzanne who has struggled for years to get out of her mother's shadow, and who still treats her like a child. Despite these and other problems, Suzanne begins to see the funny side of her situation, and also realises that not only do daughters have mothers—mothers do too.
-3
A Russian circus visits the US. A clown wants to defect, but doesn't have the nerve. His saxophone playing friend however comes to the decision to defect in the middle of Bloomingdales. He is befriended by the black security guard and falls in love with the Italian immigrant from behind the perfume counter. We follow his life as he works his way through the American dream and tries to find work as a musician.
0
Germany in the autumn of 1957: Lola, a seductive cabaret singer-prostitute exults in her power as a temptress of men, but she wants out—she wants money, property, and love. Pitting a corrupt building contractor against the new straight-arrow building commissioner, Lola launches an outrageous plan to elevate herself in a world where everything, and everyone, is for sale. Shot in childlike candy colors, Fassbinder’s homage to Josef von Sternberg’s classic The Blue Angel stands as a satiric tribute to capitalism.
3
A forged 500-franc note is passed from person to person and shop to shop, until it falls into the hands of a genuine innocent who doesn't see it for what it is—which will have devastating consequences on his life.
-2
Jake and Kristy Briggs are newlyweds. Being young, they are perhaps a bit unprepared for the full reality of marriage and all that it (and their parents) expect from them. Do they want babies? Their parents certainly want them to. Is married life all that there is? Things certainly aren't helped by Jake's friend Davis, who always seems to turn up just in time to put a spanner in the works.
1
A radical student is adopted by a group of young New Yorkers, serves as a catalyst to alter his and their lives. Gathering in a Manhattan apartment, the group of friends meet to discuss social mobility, Fourier's socialism and play bridge in their cocoon of upper-class society - until they are joined by a man with a critical view of their way of life.
-2
George Trent, a British spy, has gone incommunicado in Ibiza. Appleton Porter (Donald Sutherland) is sent to find out what happened to Trent. Porter settles into a small hotel with several busybody guests. He probes them for information about Trent, their former neighbor. Meanwhile, the spy survives several attempts on his life as he attempts to solve the mystery.
-2
When a crass new-money tycoon's membership application is turned down at a snooty country club, he retaliates by buying the club and turning it into a tacky amusement park.
-2
A nutty inventor, his frustrated wife, a philosopher cousin, his much younger fiancée, a randy doctor, and a free-thinking nurse spend a summer weekend in and around a stunning - and possibly magical - country house.
1
The Roses, Barbara and Oliver, live happily as a married couple. Then she starts to wonder what life would be like without Oliver, and likes what she sees. Both want to stay in the house, and so they begin a campaign to force each other to leave. In the middle of the fighting is D'Amato, the divorce lawyer. He gets to see how far both will go to get rid of the other, and boy do they go far.
4
In this story-within-a-story, Anna is an actress starring opposite Mike in a period piece about the forbidden love between their respective characters, Sarah and Charles. Both actors are involved in serious relationships, but the passionate nature of the script leads to an off-camera love affair as well. While attempting to maintain their composure and professionalism, Anna and Mike struggle to come to terms with their infidelity.
3
Au revoir les enfants tells a heartbreaking story of friendship and devastating loss concerning two boys living in Nazi-occupied France. At a provincial Catholic boarding school, the precocious youths enjoy true camaraderie—until a secret is revealed. Based on events from writer-director Malle’s own childhood, the film is a subtle, precisely observed tale of courage, cowardice, and tragic awakening.
-1
During a rescue mission, a team of Navy Seals discover that a terrorist group have access to deadly US built Stinger missiles, and must set out to locate and destroy them before they can be used.
-2
Two brothers who can feel each others' pain and pleasure mess up the French revolution.
-1
The story of Dian Fossey, a scientist who came to Africa to study the vanishing mountain gorillas, and later fought to protect them.
1
A boy, obsessed with comparing himself with those less fortunate, experiences a different life at the home of his aunt and uncle in 1959 Sweden.
1
Chappy Sinclair is called to gather together a mixed Soviet/U.S. strike force that will perform a surgical strike on a massively defended nuclear missile site in the Middle East. Chappy finds that getting the Soviet and U.S. Pilots to cooperate is only the most minor of his problems as he discovers someone in the Pentagon is actively sabotaging his mission.
-3
The Canadian policeman Louis Burke is assigned in a jail to investigate the murders of prisoners and jailors. When in jail, Louis, using his outstandings martial arts skills, is able to save his life and make himself respected in that violent world. At least, helped by two another prisoners, he succeded in finding the truth about the dreadful crimes.  In a violent and corrupt prison, decorated cop Louis Burke must infiltrate the jail to find answers to a number of inside murders. What he finds is a struggle of life and death tied in to his own past.
-10
Fact-based story of a Louisiana priest accused of molesting young parishioners, and of the family of one of his victims, caught between their loyalty to their son and to their Church.
1
In downtown Manhattan, a twenty-something boy whose Father is not around and whose Mother is institutionalized, is a big Charlie Parker fan. He almost subconsciously searches for more meaning in his life and meets a few characters along the way.
0
With global superpowers engaged in an increasingly hostile arms race, Superman leads a crusade to rid the world of nuclear weapons. But Lex Luthor, recently sprung from jail, is declaring war on the Man of Steel and his quest to save the planet. Using a strand of Superman's hair, Luthor synthesizes a powerful ally known as Nuclear Man and ignites an epic battle spanning Earth and space.
1
John Hall is a drifter who wanders into a small town in Maine. He needs a job and decides to seek employment at the community's top business: a large textile mill. He is hired to work the "graveyard shift" -- from around midnight to dawn -- and, along with a few others, he is charged with cleaning out the basement. This task strikes the workers as simple enough, but then, as they proceed deeper underground, they encounter an unspeakable monstrosity intent on devouring them all.
1
It's got that Purple Rain feeling through and though. And it's got The Kid, too! For the first time since Purple Rain, Prince is back as The Kid. And where he goes , there's music! With Thieves in the Temple, New Power Generation, Elephants and Flowers and more red-hot Prince tunes from the Platinum-selling Graffiti Bridge soundtrack. What time is it? Party time! Morris Day and the Time play Release It, Shake! and more. And you'll also see and hear George Clinton, Tevin Campbell, Robin Power, Mavis Staples and other hot performers, too. Graffiti Bridge is where the movie meets the music. Cross over on it now.
0
A shipping disaster in the 19th Century has stranded a man and woman in the wilds of Africa. The lady is pregnant, and gives birth to a son in their tree house. Soon after, a family of apes stumble across the house and in the ensuing panic, both parents are killed. A female ape takes the tiny boy as a replacement for her own dead infant, and raises him as her son. Twenty years later, Captain Phillippe D'Arnot discovers the man who thinks he is an ape. Evidence in the tree house leads him to believe that he is the direct descendant of the Earl of Greystoke, and thus takes it upon himself to return the man to civilization.
-5
A relatively boring Los Angeles couple discover a bizarre, if not murderous way to get funding for opening a restaurant.
-3
Two Texas border guards find a jeep buried in the desert, with a skeleton, a scoped rifle, and a box with $800,000 in cash. Before they decide whether to keep the money or report it, they privately investigate the clues and unravel a decades old mystery.
-3
A high-school student and a drug pusher land in a nuclear-wasted river and come out zombies.
-1
Big Bird is sent to live far from Sesame Street by a pesky social worker. Unhappy, Big Bird runs away from his foster home, prompting the rest of the Sesame Street gang to go on a cross-country journey to find him.
-1
Against a background of war breaking out in Europe and the Mexican fiesta Day of Death, we are taken through one day in the life of Geoffrey Firmin, a British consul living in alcoholic disrepair and obscurity in a small southern Mexican town in 1939. The consul's self-destructive behaviour, perhaps a metaphor for a menaced civilization, is a source of perplexity and sadness to his nomadic, idealistic half-brother, Hugh, and his ex-wife, Yvonne, who has returned with hopes of healing Geoffrey and their broken marriage.
-7
Although awkward college student Todd Howard is particularly adept at science, he's paying for school with an athletic scholarship that he will lose should he not fare well in an upcoming boxing tournament. Luckily for Todd, he has inherited the same family curse that once turned his cousin into a werewolf. As he transforms into the hairy, fanged, howling monster, he finds both his physical agility and his popularity skyrocketing -- but at what cost?
-2
Rita and Sue are two teenagers living on a run-down council estate in Bradford, who both share a job babysitting for Bob and Michelle's children.  Whilst giving them a lift home one night, Bob decides to take Rita and Sue up to a deserted, country-side landscape.  Clearly knowing what he has in mind, Rita and Sue are only too happy to oblige and both have a sexual encounter with him that becomes a regular occurrence.
-2
Cheech and Chong are hired to drive a limo from Chicago to Las Vegas by two shady Arabs - Mr. Slyman and Prince Habib. Unbeknownst to them, five million dollars of dirty money has been stuffed throughout the car.
-2
Buenos Aires, Argentina, 1983. In the last and turbulent days of the military dictatorship, Alicia, a high school history teacher, begins to ask uncomfortable questions about the dark origins of Gaby, her adopted daughter.
-3
Milly and Louis, and their recently-widowed mom, Charlene, move to a new neighborhood. Once there, they all deal with a variety of personal problems, but Milly finds a friend in Eric, her autistic next door neighbor. Eric has a fascination with flight, and as the story progresses, he exerts an enthralling force of change on all those around him.
2
Harvey Milk was an outspoken human rights activist and one of the first openly gay U.S. politicians elected to public office; even after his assassination in 1978, he continues to inspire disenfranchised people around the world.
3
A narcissistic runaway engages in a number of parasitic relationships amongst members of New York's waning punk scene.
-3
A handsome Belgian sailor on shore leave in the port of Brest, who is also a drug-smuggler and murderer, embarks upon a voyage of highly charged and violent homosexual self-discovery that will change him forever from the man he once was.
-1
A pathetic police chief, humiliated by everyone around him, suddenly wants a clean slate in life, and resorts to drastic means to achieve it.
-1
Doc, who has just moved to Cannery Row, realizes that the only entertainment is the brothel. There he meets the spunky Suzy and they fall in love, giving them both a renewed chance at life.
1
Federico Fellini welcomes us into his world of film making with a mockumentary about his life in film, as a Japanese film crew follows him around.
1
In 1988, renegade filmmaker Robert Altman and Pulitzer Prize–winning Doonesbury cartoonist Garry Trudeau created a presidential candidate, ran him alongside the other hopefuls during the primary season, and presented their media campaign as a cross between a soap opera and TV news. The result was the groundbreaking Tanner ’88, a piercing satire of media-age American politics.
2
A street artist (Charles Lane) rescues a baby girl (Nicole Alysia) after her father is murdered. The artist then sets off to find the mother, but has to first learn how to care for the child. Ultimately he ends up in a horse drawn chase of the murderers.
-1
Ashoke Gupta is an idealistic doctor working in a town near Calcutta. He discovers that the water at a popular temple is the source of an outbreak of typhoid and hepatitis. In order to save lives, he risks his career to try and call attention to this polluted water source, while a local group of building contractors attempt to discredit him in various ways.
-2
Recorded at Carnegie Hall, New York City in 1982, released in 1983. Most of the material comes from his A Place for My Stuff, the album released earlier that same year. The final performance of "Seven Dirty Words," his last recorded performance of the routine, features Carlin's updated list.
-1
It's no exaggeration to say this might be the most intense and groundbreaking 45-minute performance in the history of rock. Jimi Hendrix's debut American set at 1967's Monterey Pop Festival is generally considered one of the most radical and legendary live shows ever. Virtually unknown to American audiences at the time, even though he was already an established entity in the UK, Hendrix and his two-piece Experience explode on stage, ripping through blues classics "Rock Me Baby" and Howlin' Wolf's "Killing Floor," interpreting and electrifying Bob Dylan's "Like a Rolling Stone," debuting songs from his yet-to-be-released first album and closing with the now historic sacrificing/burning of his guitar during an unhinged version of "Wild Thing" that even its writer Chip Taylor would never have imagined. Hendrix uses feedback and distortion to enhance the songs in whisper-to-scream intensity, blazing territory that had not been previously explored with as much soul-frazzled power.
-3
When the movie opens, a woman is recalling the events that molded her perspective on the world. Years ago, her husband, a wealthy Western-educated landowner, challenged tradition by providing her with schooling, and inviting her out of the seclusion in which married women were kept, to the consternation of more conservative relatives. Meeting her husband's visiting friend from college, a leader of an economic rebellion against the British, she takes up his political cause, despite her husbands warnings. As the story progresses, the relationship between the woman and the visitor becomes more than platonic, and the political battles, pitting rich against poor and Hindu against Moslem, turn out not to be quite as simple as she had first thought.
-1
Renowned documentary filmmaker D.A. Pennebaker captures Otis Redding in his ascendancy, singing at the historic Monterey International Pop Festival in June 1967. Comedian Tom Smothers introduces Redding to a crowd that is leaving -- until Redding grabs them with his charged rendition of "Shake." Redding's performance also includes "Respect" (which he wrote), "I've Been Loving You Too Long," "Satisfaction," and "Try a Little Tenderness." Tragically, Redding died in a plane crash six months later. An innovative filmmaker who started in the 1950s making experimental films, Pennebaker garnered an Oscar nomination for Best Documentary Feature in 1993 for The War Room, his behind-the-scenes look at Bill Clinton's 1992 campaign. His other subjects have included Norman Mailer, Bob Dylan, and David Bowie.
-1
After many years of working together, Mike and Mary Anne face competition from modern, electric, gasoline diesel shovels. Looking for work in the newspaper one day, Mike finds a small town that is about to build a new town hall. The town select-men react with disbelief when Mike makes the claim that he and his steam shovel Mary Anne can dig the cellar in a single day; they protest that it would take a hundred men a week. Mike insists that Mary Anne can indeed finish the job in one day, though he has some private doubts. At sunup the next day, Mike and Mary Anne start work and just manage to complete the task before sundown. However, he neglects to provide a way out of the cellar. A young boy who has been watching makes the suggestion that Mike take the job of janitor for the town hall, and that Mary Anne should become the boiler for the town hall's heating system. The town select-men agree and the new town hall is completed before winter. Now the little boy visits every day with a lady who brings hot apple pies.
0
Whoopi Goldberg in her original one-woman show.
0
A documentary covering the 1988 Summer Olympic Games in Seoul.
0
A showcase of classic cartoons predating Mickey Mouse accompanied by the history of American animation leading up to his creation.
2
What is it like to live in exotic lands like Tibet, Hong Kong, Finland and Chile? This original HBO special, shot in four locations, gives you the chance to find out as foreign pen pals tell their American friends about their daily lives through touching and informative letters.
2
What a day Alexander is having. He's got gum stuck in his hair, he trips on his skateboard and he can't find his favorite glow-in-the-dark yo-yo. Things go from bad to worse in this charming animated musical based on the book by Judith Viorst.
-1
After learning about pollution a group of creatures called Zwibble Dibbles, decide to throw a party for the Earth to raise awareness.
0
The Primm family moves into an old brownstone house on East 88th Street, where they find a crocodile named Lyle in their bathtub.
0
Whoopi Goldberg, riding the fame of stand-up comedy and having made the transition to feature films, goes back to her stand-up roots by doing an entire show as one of her many characters, Fontaine.  Whoopi brings to life her popular alter-ego, Fontaine, a street-smart tough talking ex-junkie who eagerly shares thoughts on dealing with life, sex and drugs and other issues of contemporary life. Taped live at the Mayfair Theater in Santa Monica.
3
A documentary covering the 1988 Olympic Games in Calgary.
0
Follows the misadventures of four irreverent grade-schoolers in the quiet, dysfunctional town of South Park, Colorado.
1
Six young people from New York City, on their own and struggling to survive in the real world, find the companionship, comfort and support they get from each other to be the perfect antidote to the pressures of life.
2
The story of New Jersey-based Italian-American mobster Tony Soprano and the difficulties he faces as he tries to balance the conflicting requirements of his home life and the criminal organization he heads. Those difficulties are often highlighted through his ongoing professional relationship with psychiatrist Jennifer Melfi. The show features Tony's family members and Mafia associates in prominent roles and story arcs, most notably his wife Carmela and his cousin and protégé Christopher Moltisanti.
-3
The West Wing is an American television serial drama created by Aaron Sorkin that was originally broadcast on NBC from September 22, 1999, to May 14, 2006. The series is set primarily in the West Wing of the White House, where the Oval Office and offices of presidential senior staff are located, during the fictional Democratic administration of Josiah Bartlet.
-1
Framed in the 1940s for the double murder of his wife and her lover, upstanding banker Andy Dufresne begins a new life at the Shawshank prison, where he puts his accounting skills to work for an amoral warden. During his long stretch in prison, Dufresne comes to be admired by the other inmates -- including an older prisoner named Red -- for his integrity and unquenchable sense of hope.
-1
The boyfriend of an abducted woman never gives up the search as the abductor looks on.
0
The off-kilter, unscripted comic vision of Larry David, who plays himself in a parallel universe in which he can't seem to do anything right, and, by his standards, neither can anyone else.
1
Two homicide detectives are on a desperate hunt for a serial killer whose crimes are based on the "seven deadly sins" in this dark and haunting film that takes viewers from the tortured remains of one victim to the next. The seasoned Det. Sommerset researches each sin in an effort to get inside the killer's mind, while his novice partner, Mills, scoffs at his efforts to unravel the case.
-11
Clarice Starling is a top student at the FBI's training academy.  Jack Crawford wants Clarice to interview Dr. Hannibal Lecter, a brilliant psychiatrist who is also a violent psychopath, serving life behind bars for various acts of murder and cannibalism.  Crawford believes that Lecter may have insight into a case and that Starling, as an attractive young woman, may be just the bait to draw him out.
0
Set in the 22nd century, The Matrix tells the story of a computer hacker who joins a group of underground insurgents fighting the vast and powerful computers who now rule the earth.
1
A young man and woman meet on a train in Europe, and wind up spending one evening together in Vienna. Unfortunately, both know that this will probably be their only night together.
-1
Leonard Shelby is tracking down the man who raped and murdered his wife. The difficulty of locating his wife's killer, however, is compounded by the fact that he suffers from a rare, untreatable form of short-term memory loss. Although he can recall details of life before his accident, Leonard cannot remember what happened fifteen minutes ago, where he's going, or why.
-5
The show where everything's made up and the points don't matter. Not a talk show, not a sitcom, not a game show, Whose Line Is It Anyway? is a completely unique concept to network television. Four talented actors perform completely unrehearsed skits and games in front of a studio audience. Host Drew Carey sets the scene, with contributions from the audience, but the actors rely completely on their quick wit and improvisational skills. It's genuinely improvised, so anything can happen - and often does.
3
The Dark Knight battles crime in Gotham City with occasional help from Robin and Batgirl.
-2
Nearly 10 years have passed since Sarah Connor was targeted for termination by a cyborg from the future. Now her son, John, the future leader of the resistance, is the target for a newer, more deadly terminator. Once again, the resistance has managed to send a protector back to attempt to save John and his mother Sarah.
-3
Wrongfully convicted of murdering his wife and sentenced to death, Richard Kimble escapes from the law in an attempt to find the real killer and clear his name.
-1
In the last days of 1999, ex-cop turned street hustler Lenny Nero receives a disc which contains the memories of the murder of a prostitute. With the help of bodyguard Mace, he starts to investigate and is pulled deeper and deeper in a whirl of murder, blackmail and intrigue. Can the pair live to see the new millennium?
-3
Two carefree pals traveling through Alabama are mistakenly arrested, and charged with murder. Fortunately, one of them has a cousin who's a lawyer - Vincent Gambini, a former auto mechanic from Brooklyn who just passed his bar exam after his sixth try. When he arrives with his leather-clad girlfriend, to try his first case, it's a real shock - for him and the Deep South!
-1
ER explores the inner workings of an urban teaching hospital and the critical issues faced by the dedicated physicians and staff of its overburdened emergency room.
-2
The adventures of two amiably aimless metal-head friends, Wayne and Garth. From Wayne's basement, the pair broadcast a talk-show called "Wayne's World" on local public access television. The show comes to the attention of a sleazy network executive who wants to produce a big-budget version of "Wayne's World"—and he also wants Wayne's girlfriend, a rock singer named Cassandra. Wayne and Garth have to battle the executive not only to save their show, but also Cassandra.
-2
Set in 1977, back when sex was safe, pleasure was a business and business was booming, idealistic porn producer Jack Horner aspires to elevate his craft to an art form. Horner discovers Eddie Adams, a hot young talent working as a busboy in a nightclub, and welcomes him into the extended family of movie-makers, misfits and hangers-on that are always around. Adams' rise from nobody to a celebrity adult entertainer is meteoric, and soon the whole world seems to know his porn alter ego, "Dirk Diggler". Now, when disco and drugs are in vogue, fashion is in flux and the party never seems to stop, Adams' dreams of turning sex into stardom are about to collide with cold, hard reality.
4
Book superstore magnate, Joe Fox and independent book shop owner, Kathleen Kelly fall in love in the anonymity of the Internet—both blissfully unaware that he's trying to put her out of business.
1
Aspiring director Corky St. Clair and the marginally talented amateur cast of his hokey small-town musical production go overboard when they learn that Broadway theater agent Mort Guffman will be in attendance.
0
To save the family business, two ne’er-do-well traveling salesmen hit the road with disastrously funny consequences.
-2
After Dr. Bill Harford's wife, Alice, admits to having sexual fantasies about a man she met, Bill becomes obsessed with having a sexual encounter. He discovers an underground sexual group and attends one of their meetings -- and quickly discovers that he is in over his head.
0
Enraged at the slaughter of Murron, his new bride and childhood love, Scottish warrior William Wallace slays a platoon of the local English lord's soldiers. This leads the village to revolt and, eventually, the entire country to rise up against English rule.
-1
An extraordinarily intelligent young girl from a cruel and uncaring family discovers she possesses telekinetic powers and is sent off to a school headed by a tyrannical principal.
-1
The boy who wasn't supposed grow up—Peter Pan—does just that, becoming a soulless corporate lawyer whose workaholism could cost him his wife and kids. During his trip to see Granny Wendy in London, the vengeful Capt. Hook kidnaps Peter's kids and forces Peter to return to Neverland.
-1
In Los Angeles, a gang of bank robbers who call themselves The Ex-Presidents commit their crimes while wearing masks of Reagan, Carter, Nixon and Johnson. Believing that the members of the gang could be surfers, the F.B.I. sends young agent Johnny Utah to the beach undercover to mix with the surfers and gather information.
-1
A vampire relates his epic life story of love, betrayal, loneliness, and dark hunger to an over-curious reporter.
-2
Based on the bestselling book by Candace Bushnell, Sex and the City tells the story of four best friends, all single and in their late thirties, as they pursue their careers and talk about their sex lives, all while trying to survive the New York social scene. 
1
After a teenager has a terrifying vision of him and his friends dying in a plane crash, he prevents the accident only to have Death hunt them down, one by one.
-3
When an asteroid threatens to collide with Earth, NASA honcho Dan Truman determines the only way to stop it is to drill into its surface and detonate a nuclear bomb. This leads him to renowned driller Harry Stamper, who agrees to helm the dangerous space mission provided he can bring along his own hotshot crew. Among them is the cocksure A.J. who Harry thinks isn't good enough for his daughter, until the mission proves otherwise.
2
Two neighbors become intimate after discovering that their spouses are having an affair with one another.
1
Fran, fresh out of her job as a bridal consultant in her boyfriend’s shop, first appears on the doorstep of Broadway producer Maxwell Sheffield peddling cosmetics, and quickly stumbled upon the opportunity to become The Nanny for his three children. But soon Fran, with her offbeat nurturing and no-nonsense honesty, touches Maxwell as well as the kids.
3
A familiar-looking group of teenagers find themselves being stalked by a more-than-vaguely recognizable masked killer! As the victims begin to pile up and the laughs pile on, none of your favorite scary movies escape the razor-sharp satire of this outrageously funny parody!
-3
When accountant David, doctor Juliet and journalist Alex are searching for a fourth roommate for their trendy flat, they settle on the aloof Hugo. However, they soon find Hugo dead of a drug overdose, beside a large sum of cash. After some deliberation, the three others decide to keep the money and to dismember and bury Hugo's body. Soon, each roommate starts thinking about keeping all the money by scamming the others.
-1
The surreal adventures of three anthropomorphic fast food items: Master Shake, Frylock and Meatwad, and their human nextdoor neighbor, Carl Brutananadilewski.
2
Sally and Gillian Owens, born into a magical family, have mostly avoided witchcraft themselves. But when Gillian's vicious boyfriend, Jimmy Angelov, dies unexpectedly, the Owens sisters give themselves a crash course in hard magic. With policeman Gary Hallet growing suspicious, the girls struggle to resurrect Angelov -- and unwittingly inject his corpse with an evil spirit that threatens to end their family line.
-5
New York detective Ichabod Crane is sent to Sleepy Hollow to investigate a series of mysterious deaths in which the victims are found beheaded. Locals believe the culprit to be none other than the legendary Headless Horseman.
-3
When a powerful satellite system falls into the hands of Alec Trevelyan, AKA Agent 006, a former ally-turned-enemy, only James Bond can save the world from a dangerous space weapon that -- in one short pulse -- could destroy the earth! As Bond squares off against his former compatriot, he also battles Xenia Onatopp, an assassin who uses pleasure as her ultimate weapon
-2
The daily lives of prisoners in Emerald City, an experimental unit of the Oswald Maximum Security Prison where ingroups - Muslims, Latinos, Italians, Aryans - stick close to their mutual friends and terrorizes their mutual enemies.
-3
Robin Hood comes home after fighting in the Crusades to learn that the noble King Richard is in exile and that the despotic King John now rules England, with the help of the Sheriff of Rottingham. Robin Hood assembles a band of fellow patriots to do battle with King John and the Sheriff.
0
Follows the investigation into the assassination of President John F. Kennedy led by New Orleans district attorney Jim Garrison.
1
The Grinch decides to rob Whoville of Christmas - but a dash of kindness from little Cindy Lou Who and her family may be enough to melt his heart...
2
Pinhead is trapped in the Pillar of Souls. Fortunately for him it is bought by a young playboy who owns his own nightclub. Pinhead busies himself escaping by getting the playboy to lure victims to his presence so he can use their blood. Once free, he seeks to destroy the puzzle box so he need never return to Hell, but a female reporter is investigating the grisly murders and stands in his way.
-4
Comic Garry Shandling draws upon his own talk show experiences to create the character of Larry Sanders, a paranoid, insecure host of a late night talk show. Larry, along with his obsequious TV sidekick Hank Kingsley and his fiercely protective producer Artie, allows Garry Shandling and his talented writers to look behind the scenes and to show us a convincing slice of behind the camera life.
1
Seth Gecko and his younger brother Richard are on the run after a bloody bank robbery in Texas. They escape across the border into Mexico and will be home-free the next morning, when they pay off the local kingpin. They just have to survive 'from dusk till dawn' at the rendezvous point, which turns out to be a Hell of a strip joint.
-1
A tribute to the controversial black activist and leader of the struggle for black liberation. He hit bottom during his imprisonment in the '50s, he became a Black Muslim and then a leader in the Nation of Islam. His assassination in 1965 left a legacy of self-determination and racial pride.
0
During the final weeks of a presidential race, the President is accused of sexual misconduct. To distract the public until the election, the President's adviser hires a Hollywood producer to help him stage a fake war.
-2
In director Baz Luhrmann's contemporary take on William Shakespeare's classic tragedy, the Montagues and Capulets have moved their ongoing feud to the sweltering suburb of Verona Beach, where Romeo and Juliet fall in love and secretly wed. Though the film is visually modern, the bard's dialogue remains.
1
A gangster, Nino, is in the Cash Money Brothers, making a million dollars every week selling crack. A cop, Scotty, discovers that the only way to infiltrate the gang is to become a dealer himself.
-2
Ashitaka, a prince of the disappearing Emishi people, is cursed by a demonized boar god and must journey to the west to find a cure. Along the way, he encounters San, a young human woman fighting to protect the forest, and Lady Eboshi, who is trying to destroy it. Ashitaka must find a way to bring balance to this conflict.
-2
The bizarre misadventures of a cowardly dog named Courage and his elderly owners in a farmhouse in Nowhere, Kansas.
-1
Foreign Legion officer Galoup recalls his once glorious life, training troops in the Gulf of Djibouti. His existence there was happy, strict and regimented, until the arrival of a promising young recruit, Sentain, plants the seeds of jealousy in Galoup's mind.
1
Mitch McDeere is a young man with a promising future in Law. About to sit his Bar exam, he is approached by 'The Firm' and made an offer he doesn't refuse. Seduced by the money and gifts showered on him, he is totally oblivious to the more sinister side of his company. Then, two Associates are murdered. The FBI contact him, asking him for information and suddenly his life is ruined. He has a choice - work with the FBI, or stay with the Firm. Either way he will lose his life as he knows it. Mitch figures the only way out is to follow his own plan...
-3
Over the course of five social occasions, a committed bachelor must consider the notion that he may have discovered love.
1
An amusement park mogul offers a random group of diverse people $1 million to spend the night in a decrepit former mental institution.
-1
After assuming his dead cellmate's identity to get with his girlfriend, an ex-con finds himself the reluctant participant in a casino heist.
-2
Mr. Show with Bob and David is an American sketch comedy series starring and hosted by Saturday Night Live writer/actor Bob Odenkirk and stand up comedian/actor David Cross. Cross and Odenkirk introduced most episodes as heightened versions of themselves, before transitioning to a mixture of live sketches and pre-taped segments. The show featured a number of alternative comedians as both cast members and writers.
0
A visiting city reporter's assignment suddenly revolves around the murder trial of a local millionaire, whom he befriends.
-1
While Batman deals with a deformed man calling himself the Penguin, an employee of a corrupt businessman transforms into the Catwoman.
-2
Three generations of the same family deal with the consequences of unleashing the forces of hell.
-1
Two stoners wake up after a night of partying and cannot remember where they parked their car.
0
When Rudy Baylor, a young attorney with no clients, goes to work for a seedy ambulance chaser, he wants to help the parents of a terminally ill boy in their suit against an insurance company. But to take on corporate America, Rudy and a scrappy paralegal must open their own law firm.
0
A young street hustler attempts to escape the rigors and temptations of the ghetto in a quest for a better life.
-2
Step by Step is an American television sitcom with two single parents, who spontaneously get married after meeting one another during a vacation, resulting in them becoming the heads of a large blended family
0
Jokes fly as the Tune Squad takes on the Nerdlucks in a hardcourt game to decide if the Looney Tunes remain here... or become attractions at a far-off galactic off-ramp called Moron Mountain. The Nerdlucks have a monstrous secret weapon: they've stolen the skills of top NBA stars like Charles Barkley and Patrick Ewing and become Monstars. But that's not all, folks. The Tune Squad’s secret weapon just happens to be the finest player in this or any other universe. He's outta this world. So's the fun.
2
A former Secret Service agent grudgingly takes an assignment to protect a pop idol who's threatened by a crazed fan. At first, the safety-obsessed bodyguard and the self-indulgent diva totally clash. But before long, all that tension sparks fireworks of another sort, and the love-averse tough guy is torn between duty and romance.
0
While attempting to seduce gorgeous lawyer Diane Lightson, wealthy gadabout Chris Thorne agrees to drive her to Atlantic City, N.J. But, when some reckless driving draws the attention of a deeply critical cop, they and the flamboyant "Brazillionaires" who tagged along end up in the court of a grotesque and vengeful judge, who has a special vendetta against the wealthy and erudite.
0
It's graduation day at Huntington Hills High, and you know what that means - time to party. And not just any party, either. This one will be a night to remember, as the nerds become studs, the jocks are humiliated, and freshman crushes blossom into grown-up romance.
0
After being murdered by corrupt colleagues in a covert government agency, Al Simmons makes a pact with the devil to be resurrected to see his beloved wife Wanda. In exchange for his return to Earth, Simmons agrees to lead Hell's Army in the destruction of mankind.
-2
London publicist Helen, effortlessly slides between parallel storylines that show what happens when she does or does not catch a train back to her apartment. Love. Romantic entanglements. Deception. Trust. Friendship. Comedy. All come into focus as the two stories shift back and forth, overlap and surprisingly converge.
2
A deranged media mogul is staging international incidents to pit the world's superpowers against each other. Now James Bond must take on this evil mastermind in an adrenaline-charged battle to end his reign of terror and prevent global pandemonium.
-3
Hong Kong action diva Maggie Cheung (playing herself) comes to France when a past-his-prime director casts her in a remake of the silent classic Les Vampires. Clad in a rubber catsuit and unable to speak a word of French, Cheung finds herself adrift in the insanity of the film industry…
0
When a prostitute is found dead in a Los Angeles skyscraper occupied by a large Japanese corporation, detectives John Connor and Web Smith are called in to investigate. Although Connor has previous experience working in Japan, cultural differences make their progress difficult until a security disc showing the murder turns up. Close scrutiny proves the disc has been doctored, and the detectives realize they're dealing with a cover-up as well.
-1
A master thief coincidentally is robbing a house where a murder—in which the President of The United States is involved—occurs in front of his eyes. He is forced to run, while holding evidence that could convict the President.
1
Two melancholic Hong Kong policemen fall in love: one with a mysterious underworld figure, the other with a beautiful and ethereal server at a late-night restaurant.
0
Just after a bad breakup, Charlie MacKenzie falls for lovely butcher Harriet Michaels and introduces her to his parents. But, as voracious consumers of sensational tabloids, his parents soon come to suspect that Harriet is actually a notorious serial killer -- "Mrs. X" -- wanted in connection with a string of bizarre honeymoon killings. Thinking his parents foolish, Charlie proposes to Harriet. But while on his honeymoon with her, he begins to fear they were right.
-8
An African-American Mafia hit man who models himself after the samurai of ancient Japan finds himself targeted for death by the mob.
-1
A cartoon superhero interacts with live guests via his television set in this parody talk show based on 1960s Hanna-Barbera cartoon character Space Ghost.
-1
An interstellar teleportation device, found in Egypt, leads to a planet with humans resembling ancient Egyptians who worship the god Ra.
1
When some very creepy things start happening around school, the kids at Herrington High make the chilling discovery that their faculty is being controlled by body-snatching aliens.
-1
Upon his release from a mental hospital following a nervous breakdown, the directionless Anthony joins his friend Dignan, who seems far less sane than the former. Dignan has hatched a hair-brained scheme for an as-yet-unspecified crime spree that somehow involves his former boss, the (supposedly) legendary Mr. Henry.
-1
Blonde, bouncy Buffy is your typical high school cheerleader. But all that changes when a strange man informs her she's been chosen by fate to kill vampires.
-2
In the questionable town of Deer Meadow, Washington, FBI Agent Desmond inexplicably disappears while hunting for the man who murdered a teen girl. The killer is never apprehended, and, after experiencing dark visions and supernatural encounters, Agent Dale Cooper chillingly predicts that the culprit will claim another life. Meanwhile, in the more cozy town of Twin Peaks, hedonistic beauty Laura Palmer hangs with lowlifes and seems destined for a grisly fate.
-5
Sue Ellen Crandell is a teenager eagerly awaiting her mother's summer-long absence. While the babysitter looks after her rambunctious younger siblings, Sue Ellen can party and have fun. But then the babysitter abruptly dies, leaving the Crandells short on cash. Sue Ellen finds a sweet job in fashion by lying about her age and experience on her résumé. But, while her siblings run wild, she discovers the downside of adulthood
-5
When dignified Albert Donnelly runs for Governor, his team moves to keep his slow-witted and klutzy younger brother, Mike, out of the eye of the media. To baby-sit Mike, the campaign assigns sarcastic Steve, who gets the experience of a lifetime when he tries to take Mike out of town during the election.
0
Los Angeles. A wealthy man, known as Mr. Fuller, discovers a shocking secret about the world he lives in. Fearing for his life, he leaves a desperate message for a friend of his in the most unexpected place.
-2
When Claire Spencer starts hearing ghostly voices and seeing spooky images, she wonders if an otherworldly spirit is trying to contact her. All the while, her husband tries to reassure her by telling her it's all in her head. But as Claire investigates, she discovers that the man she loves might know more than he's letting on.
2
As new villains overrun Gotham City of the future, the aging Bruce Wayne hangs up the cape of the once invincible Batman. But when troubled teenager Terry McGinnis stumbles upon the Dark Knight's secret, a new alliance is forged. And a triumphant new Batman is born.
-4
A computer specialist is sued for sexual harassment by a former lover turned boss who initiated the act forcefully, which threatens both his career and his personal life.
-1
Three New York businessmen decide to take a "Wild West" vacation that turns out not to be the relaxing vacation they had envisioned.
-1
Mitch Robbins 40th birthday begins quite well until he returns home and finds his brother Glen, the black sheep of the family, in his sofa. Nevertheless he is about to have a wonderful birthday-night with his wife when he discovers a treasure map of Curly by chance. Together with Phil and unfortunately Glen he tries to find the hidden gold of Curly's father in the desert of Arizona.
2
The gang that created Airplane and The Naked Gun sets its sights on Top Gun in this often hilarious spoof starring Charlie Sheen, who previously only inspired laughs with his personal life. He plays Topper Harley, a fighter pilot with an ax to grind: clearing the family name. He gets involved in a relationship with Valerie Golino, a woman with an unusually talented stomach. But his mission is to avenge his father. Lloyd Bridges, late in his career, revealed an aptitude for this kind of silliness, here as a commander who is both incredibly dim and delightfully accident prone. Directed by Jim Abrahams, the film makes fun of a variety of other films as well, from Dances with Wolves to The Fabulous Baker Boys. It was so successful that they all returned in the sequel, Hot Shots! Part Deux.
6
Dr. David Marrow invites three distinct individuals to the eerie and isolated Hill House to be subjects for a sleep disorder study. The unfortunate guests discover that Marrow is far more interested in the sinister mansion itself — and they soon see the true nature of its horror.
-4
Kung Lao has triumphed in the Mortal Kombat tournament, defeating Shang Tsung and saving Earth Realm. Now, he must train a new generation of warriors for the next tournament. Meanwhile, an exiled Shang Tsung attempts to thwart Lao's efforts with the aid of supernatural warriors such as Scorpion and Sub-Zero.
0
A seven-mile-wide space rock is hurtling toward Earth, threatening to obliterate the planet. Now, it's up to the president of the United States to save the world. He appoints a tough-as-nails veteran astronaut to lead a joint American-Russian crew into space to destroy the comet before impact. Meanwhile, an enterprising reporter uses her smarts to uncover the scoop of the century.
0
Batman must battle a disfigured district attorney and a disgruntled former employee with help from an amorous psychologist and a young circus acrobat.
-1
The Griswold family hits the road again for a typically ill-fated vacation, this time to the glitzy mecca of slots and showgirls—Las Vegas.
-1
Batman and Robin deal with relationship issues while preventing Mr. Freeze and Poison Ivy from attacking Gotham City.
-3
Freddy Heflin is the sheriff of a place everyone calls “Cop Land” — a small and seemingly peaceful town populated by the big city police officers he’s long admired. Yet something ugly is taking place behind the town’s peaceful facade. And when Freddy uncovers a massive, deadly conspiracy among these local residents, he is forced to take action and make a dangerous choice between protecting his idols and upholding the law.
-1
A message from Jim Morrison in a dream prompts cable access TV stars Wayne and Garth to put on a rock concert, "Waynestock," with Aerosmith as headliners. But amid the preparations, Wayne frets that a record producer is putting the moves on his girlfriend, Cassandra, while Garth handles the advances of mega-babe Honey Hornee.
0
Sassy sitcom centering on radio and television personality Martin Payne. Series focuses on his romantic relationship with girlfriend Gina, her best friend Pam and escapades with best friends Tommy and Cole.
2
A Hollywood studio executive is being sent death threats by a writer whose script he rejected - but which one?
-3
When a powerful criminal, who is connected to Bruce Wayne's ex-girlfriend, blames the Dark Knight for killing a crime lord, Batman decides to fight against him.
-4
Where does voguing come from, and what, exactly, is throwing shade? This landmark documentary provides a vibrant snapshot of the 1980s through the eyes of New York City's African American and Latinx Harlem drag-ball scene. Made over seven years, PARIS IS BURNING offers an intimate portrait of rival fashion "houses," from fierce contests for trophies to house mothers offering sustenance in a world rampant with homophobia, transphobia, racism, AIDS, and poverty. Featuring legendary voguers, drag queens, and trans women — including Willi Ninja, Pepper LaBeija, Dorian Corey, and Venus Xtravaganza.
-3
A disease carried by common cockroaches is killing Manhattan children. In an effort to stop the epidemic an entomologist, Susan Tyler, creates a mutant breed of insect that secretes a fluid to kill the roaches. This mutant breed was engineered to die after one generation, but three years later Susan finds out that the species has survived and evolved into a large, gruesome monster that can mimic human form.
-6
Austin, Texas, is an Eden for the young and unambitious, from the enthusiastically eccentric to the dangerously apathetic. Here, the nobly lazy can eschew responsibility in favor of nursing their esoteric obsessions. The locals include a backseat philosopher who passionately expounds on his dream theories to a seemingly comatose cabbie, a young woman who tries to hawk Madonna's Pap test to anyone who will listen and a kindly old anarchist looking for recruits.
1
Todd McFarlane's Spawn is an animated television series which aired on HBO from 1997 through 1999. It is also released on DVD as a film series. It is based on the Spawn comic series from Image Comics, and was nominated for and won an Emmy in 1999 for Outstanding Animation Program. An unrelated series titled Spawn: The Animation is in production since 2009, with Keith David reprising his role as the titular character. Like the comic book, the series features graphic violence, sexual scenes, and extensive use of profanity. Todd McFarlane's Spawn was ranked 5th on IGN's list of The Greatest Comic Book Cartoons Of All Time.
3
12-year-old Henry Rowengartner, whose late father was a minor league baseball player, grew up dreaming of playing baseball, despite his physical shortcomings. After Henry's arm is broken while trying to catch a baseball at school, the tendon in that arm heals too tightly, allowing Henry to throw pitches that are as fast as 103 mph. Henry is spotted at nearby Wrigley Field by Larry "Fish" Fisher, the general manager of the struggling Chicago Cubs, after Henry throws an opponent's home-run ball all the way from the outfield bleachers back to the catcher, and it seems that Henry may be the pitcher that team owner Bob Carson has been praying for.
-3
Affable hit man Melvin Smiley is constantly being scammed by his cutthroat colleagues in the life-ending business. So, when he and his fellow assassins kidnap the daughter of an electronics mogul, it's naturally Melvin who takes the fall when their prime score turns sour. That's because the girl is the goddaughter of the gang's ruthless crime boss. But, even while dodging bullets, Melvin has to keep his real job secret from his unsuspecting fiancée, Pam.
-6
A monthly sports newsmagazine which was "spawned by the fact that sports have changed dramatically, that it's no longer just fun and games, and that what happens off the field, beyond the scores, is worthy of some serious reporting," according to Bryant Gumbel, the host.
2
Gilbert Grape is a small-town young man with a lot of responsibility. Chief among his concerns are his mother, who is so overweight that she can't leave the house, and his mentally impaired younger brother, Arnie, who has a knack for finding trouble. Settled into a job at a grocery store and an ongoing affair with local woman Betty Carver, Gilbert finally has his life shaken up by the free-spirited Becky.
-4
Two gangsters seek revenge on the state jail worker who during their stay at a youth prison sexually abused them. A sensational court hearing takes place to charge him for the crimes.
-4
Living Single is an American television sitcom that aired for five seasons on the Fox network from August 22, 1993, to January 1, 1998. The show centered on the lives of six friends who share personal and professional experiences while living in a Brooklyn brownstone.

Throughout its run, Living Single became one of the most popular African-American sitcoms of its era, ranking among the top five in African-American ratings in all five seasons. The series was produced by Yvette Lee Bowser's company, Sister Lee, in association with Warner Bros. Television. In contrast to the popularity of NBC's "Must See TV" on Thursday nights in the 1990s, many African American and Latino viewers flocked to Fox's Thursday night line-up of Martin, Living Single, and New York Undercover. In fact, these were the three highest-rated series among black households for the 1996–1997 season.
2
Dolores Claiborne was accused of killing her abusive husband twenty years ago, but the court's findings were inconclusive and she was allowed to walk free. Now she has been accused of killing her employer, Vera Donovan, and this time there is a witness who can place her at the scene of the crime. Things look bad for Dolores when her daughter Selena, a successful Manhattan magazine writer, returns to cover the story.
-3
A powerful, intimate portrait of three women living in the same house during different eras who all face unplanned pregnancies. The vignettes follow a recently widowed nurse struggling to take control of her life in the early 50s, a mother of four balancing raising a family and maintaining a career in the 70s, and a student making a difficult decision with the help of one woman that will change the course of both their lives in the 90s.
0
Would you be willing to walk away from everyone and everything you've ever known in exchange for your safety? This is the question facing career criminal Bobby "Bats" Batton (Tom Sizemore); on the outs with the mob and facing prosecution for a number of serious crimes, Batton is offered a deal by the FBI in which he will be given immunity in exchange for testifying against his former partners. However, Batton will have to join the Federal Witness Protection Program, which means that he, his wife, and his children will never again see their friends and family.
0
When a substantial portion of the nation's populace falls victim to a deadly plague, the tyrannical government quarantines them in camps, offering no alternative except death. But a gutsy rebel named Torch sets out to help the afflicted by leading an underground effort to spirit the victims to humane sanctuary.
-2
The Powerpuff Girls is a animated television series about Blossom, Bubbles, and Buttercup, three kindergarten-aged girls with superpowers, as well as their "father", the brainy scientist Professor Utonium, who all live in the fictional city of Townsville, USA. The girls are frequently called upon by the town's childlike and naive mayor to help fight nearby criminals using their powers.
0
After years of war, the Federation and the Klingon empire find themselves on the brink of a peace summit when a Klingon ship is nearly destroyed by an apparent attack from the Enterprise. Both worlds brace for what may be their dealiest encounter.
0
A officer with the Joint Chiefs of Staff uncovers a planned military coup of the U.S. government and has only one week to prevent the takeover.
0
High school hotshot Zach Siler is the envy of his peers. But his popularity declines sharply when his cheerleader girlfriend, Taylor, leaves him for sleazy reality-television star Brock Hudson. Desperate to revive his fading reputation, Siler agrees to a seemingly impossible challenge. He has six weeks to gain the trust of nerdy outcast Laney Boggs -- and help her to become the school's next prom queen.
-1
TV series about the life of Brendon Small, an eight-year-old visionary who, using his friends Jason and Melissa as actors, have managed to direct over a thousand homemade films. His parents are divorced, but it doesn't feel strange since so many other kids' parents are divorced. His friend Jason actually feels upset because his parents are still together. At school, he is taught soccer by his coach John McGuirk, or as he calls him, "that weird Irish guy".
-2
A much more lavish version of the popular Superman television series which had first aired forty years earlier, Lois & Clark focused more on the Man of Steel's early adult years in Metropolis. With the unknowing help of Lois Lane, Clark Kent created Superman there in Metropolis after finding work at the world-famous Daily Planet newspaper, where he meets fellow reporter Lois Lane.
4
Forensic psychologist Alex Cross travels to North Carolina and teams with escaped kidnap victim Kate McTiernan to hunt down "Casanova," a serial killer who abducts strong-willed women and forces them to submit to his demands. The trail leads to Los Angeles, where the duo discovers that the psychopath may not be working alone.
0
When maladjusted orphan Jesse vandalizes a theme park, he is placed with foster parents and must work at the park to make amends. There he meets Willy, a young Orca whale who has been separated from his family. Sensing kinship, they form a bond and, with the help of kindly whale trainer Rae Lindley, develop a routine of tricks. However, greedy park owner Dial soon catches wind of the duo and makes plans to profit from them.
-2
Two tales of crimes intertwine in present-day Hong Kong.
-1
After leaving Washington D.C. hospital, plastic surgeon Ben Stone heads for California, where a lucrative practice in Beverly Hills awaits. After a car accident, he's sentenced to perform as the community's general practitioner.
1
The story of Ronald Reagan's press secretary who was crippled in the 1981 assassination attempt on the president and who, with his wife, became the lightning rod for the gun control movement in the years since.
-1
Faced with his own mortality, an ingenious alchemist tried to perfect an invention that would provide him with the key to eternal life. It was called the Cronos device. When he died more than 400 years later, he took the secrets of this remarkable device to the grave with him. Now, an elderly antiques dealer has found the hellish machine hidden in a statue and learns about its incredible powers. The more he uses the device, the younger he becomes...but nothing comes without a price. Life after death is just the beginning as this nerve-shattering thriller unfolds and the fountain of youth turns bloody.
1
Topper Harley is found to be working as an odd-job-man in a monastery. The CIA want him to lead a rescue mission into Iraq, to rescue the last rescue team, who went in to rescue the last rescue team—who went in to rescue hostages left behind after Desert Storm.
-1
On September 15, 1963, a bomb destroyed a black church in Birmingham, Alabama, killing four young girls who were there for Sunday school. It was a crime that shocked the nation--and a defining moment in the history of the civil-rights movement. Spike Lee re-examines the full story of the bombing, including a revealing interview with former Alabama Governor George Wallace.
-4
A young woman fakes her own death in an attempt to escape her nightmarish marriage, but discovers it is impossible to elude her controlling husband.
-4
Follow the exploits of Jack Black and Kyle Gass, the two halves of Tenacious D, the self-proclaimed "greatest band on earth." Their music is heavy on power chords and lyrics about sex, Satan, and why they are the greatest band on Earth.
2
Spurred by a white woman's lie, vigilantes destroy a black Florida town and slay inhabitants in 1923.
-2
After their production "Princess Ida" meets with less-than-stunning reviews, the relationship between Gilbert and Sullivan is strained to breaking. Their friends and associates attempt to get the two to work together again, which opens the way to "The Mikado," one of the duo's greatest successes.
1
In this biographical drama, Selena Quintanilla is born into a musical Mexican-American family in Texas. Her father, Abraham, realizes that his young daughter is talented and begins performing with her at small venues. She finds success and falls for her guitarist, Chris Perez, who draws the ire of her father. Seeking mainstream stardom, Selena begins recording an English-language album which, tragically, she would never complete.
-1
Irish Republican Army member Fergus forms an unexpected bond with Jody, a kidnapped British soldier in his custody, despite the warnings of fellow IRA members Jude and Maguire. Jody makes Fergus promise he'll visit his girlfriend, Dil, in London, and when Fergus flees to the city, he seeks her out. Hounded by his former IRA colleagues, he finds himself increasingly drawn to the enigmatic, and surprising, Dil.
-2
The Sylvester & Tweety Mysteries, produced by Warner Bros. Animation, is an animated television series which aired from 1995 to 2001 on Kids' WB and was later re-run on Cartoon Network. It follows Looney Tunes characters Sylvester and Tweety Bird, and their owner Granny, along with bulldog Hector, as they solved mysteries, even with Sylvester still trying to eat Tweety in the middle of solving the mysteries, but Hector acted as a bodyguard for Tweety, and would even beat Sylvester up. The first season was dedicated to the memory of Friz Freleng, who had died only months before the series premiere. Also, it contains one case per episode, in contrast to the other seasons, which are all with two cases.

Other Looney Tunes characters make cameo appearances, including Daffy Duck, Yosemite Sam, Elmer Fudd, Tasmanian Devil, Pepe Le Pew, Beaky Buzzard, Babbit and Catstello, Hubie and Bertie, Witch Hazel, Michigan J. Frog, Rocky and Mugsy, Marvin the Martian, Hippety Hopper, Gossamer, Count Blood Count, Cecil Turtle, Nasty Canasta, The Crusher, Pete Puma, Goofy Gophers, and latter-day Warner cartoon star Cool Cat who appears in some form in most of the episodes.
-6
A behind-the-scenes look at the glitzy, big-money world of professional sports following the eternally optimistic and endlessly resourceful L.A. sports agent Arliss Michaels whose Achilles' heel is his inability to say “no” to clients and employees.
1
James Gillespie is 12 years old. The world he knew is changing. Haunted by a secret, he has become a stranger in his own family. He is drawn to the canal where he creates a world of his own. He finds an awkward tenderness with Margaret Anne, a vulnerable 14 year old expressing a need for love in all the wrong ways, and befriends Kenny, who possesses an unusual innocence in spite of the harsh surroundings.
-7
Monica Wright and Quincy McCall grew up in the same neighborhood and have known each other since childhood. As they grow into adulthood, they fall in love, but they also share another all-consuming passion: basketball.  As Quincy and Monica struggle to make their relationship work, they follow separate career paths though high school and college basketball and, they hope, into stardom in big-league professional ball.
1
In a fantastical 1940s where magic is used by everyone, a hard-boiled detective investigates the theft of a mystical tome.
1
A fatally wounded white man is found by an outcast Native American who prepares him for the afterlife.
-2
The Wayans Bros. is a situation comedy that aired from January 1995 to May 1999 on The WB. The series starred real-life brothers Shawn and Marlon Wayans. Both brothers were already well-known from the sketch comedy show In Living Color that aired from 1990 to 1994 on Fox. The series also starred John Witherspoon and Anna Maria Horsford.
1
Cocky researcher Sebastian Caine is working on a project to make living creatures invisible. Determined to achieve the ultimate breakthrough, Caine pushes his team to move to the next phase — using himself as the subject. The test is a success, but when the process can't be reversed and Caine seems doomed to future without flesh, he starts to turn increasingly dangerous.
-2
The Borg, a relentless race of cyborgs, are on a direct course for Earth. Violating orders to stay away from the battle, Captain Picard and the crew of the newly-commissioned USS Enterprise E pursue the Borg back in time to prevent the invaders from changing Federation history and assimilating the galaxy.
-2
It's 1974. Muhammad Ali is 32 and thought by many to be past his prime. George Foreman is ten years younger and the heavyweight champion of the world. Promoter Don King wants to make a name for himself and offers both fighters five million dollars apiece to fight one another, and when they accept, King has only to come up with the money. He finds a willing backer in Mobutu Sese Suko, the dictator of Zaire, and the "Rumble in the Jungle" is set, including a musical festival featuring some of America's top black performers, like James Brown and B.B. King.
4
After years of helping their hubbies climb the ladder of success, three mid-life Manhattanites have been dumped for a newer, curvier model. But the trio is determined to turn their pain into gain. They come up with a cleverly devious plan to hit their exes where it really hurts - in the wallet!
0
Four black women, all of whom have suffered for lack of money and at the hands of the majority, undertake to rob banks. While initially successful, a policeman who was involved in shooting one of the women's brothers is on their trail. As the women add to the loot, their tastes and interests begin to change and their suspicions of each other increase on the way to a climactic robbery.
-3
Captain Jean-Luc Picard and the crew of the Enterprise-D find themselves at odds with the renegade scientist Soran who is destroying entire star systems. Only one man can help Picard stop Soran's scheme...and he's been dead for seventy-eight years.
-1
Superman, an incredibly powerful alien from the planet Krypton, defends Metropolis from supercriminals. Superman hides his identity behind the glasses of Clark Kent; a mild-mannered reporter for the newspaper the Daily Planet. At the Daily Planet Superman works with fellow reporter Lois Lane and photographer Jimmy Olsen.
3
Valentine, a student model in Geneva, struggles with a possessive boyfriend and a troubled family. When she runs over a dog, she discovers that its owner, a retired judge, is illegally wiretapping and eavesdropping on his neighbors' phone calls. Although Valentine is outraged, she develops a strange bond with the judge – and as the two become closer, she finds herself caught in the middle of events that could change her life.
-5
Two angels, Damiel and Cassiel, glide through the streets of Berlin, observing the bustling population, providing invisible rays of hope to the distressed but never interacting with them. When Damiel falls in love with lonely trapeze artist Marion, the angel longs to experience life in the physical world, and finds -- with some words of wisdom from actor Peter Falk -- that it might be possible for him to take human form.
0
A middle-aged Tehranian man, Mr. Badii is intent on killing himself and seeks someone to bury him after his demise. Driving around the city, the seemingly well-to-do Badii meets with numerous people, including a Muslim student, asking them to take on the job, but initially he has little luck. Eventually, Badii finds a man who is up for the task because he needs the money, but his new associate soon tries to talk him out of committing suicide.
-2
A murderous lust for the British throne sees Richard III descend into madness. Though the setting is transposed to the 1930s, England is torn by civil war, split between the rivaling houses of York and Lancaster. Richard aspires to a fascist dictatorship, but must first remove the obstacles to his ascension—among them his brother, his nephews and his brother's wife. When the Duke of Buckingham deserts him, Richard's plans are compromised.
-6
Harvey Birdman, Attorney at Law features ex-superhero Harvey T. Birdman of Birdman and the Galaxy Trio as an attorney working for a law firm alongside other cartoon stars from 1960s and 1970s Hanna-Barbera cartoon series. Similarly, Harvey's clients are also primarily composed of characters taken from Hanna-Barbera cartoon series of the same era. Many of Birdman's nemeses featured in his former cartoon series also became attorneys, often representing the opposing side of a given case.
-1
From the director of “Made In America” and “The Money Pit” comes a hilarious look at one of the most expensive blunders in military history. Over 17 years and almost as many billion dollars have gone into devising the BFV (Bradley Fighting Vehicle). There's only one problem. . . it doesn't work.
-1
The story of the United States' space program, from its beginnings in 1961 to the final moon mission in 1972.
0
The adventures of a teenage superhero who fights crime in Dakota City.
-1
When an alien race and factions within Starfleet attempt to take over a planet that has "regenerative" properties, it falls upon Captain Picard and the crew of the Enterprise to defend the planet's people as well as the very ideals upon which the Federation itself was founded.
1
A couple take a trip to Argentina but both men find their lives drifting apart in opposite directions.
0
Two psychotic young men take a mother, father, and son hostage in their vacation cabin and force them to play sadistic "games" with one another for their own amusement.
-1
A well-off Indian family is paid an unexpected, and rather unwanted, visit by a man claiming to be the woman's long lost uncle. The initial suspicion with which they greet the man slowly dissolves as he regales them with stories of his travels, tales that are at odds with their conventional middle class perspective on the world.
-5
The year is 2021. Deep below the ocean's surface, looms a vast, magnificently high-tech compound: Sealab. A multi-national scientific station with an annual budget in the trillions, manned by a motley collection of malcontents and screw-ups who were unfit for work in the private sector. They really don't get any research done, but instead spend their time bickering among themselves or just plain goofing off. The crew have manipulated their luckless leader, Captain Murphy, into submission, and are content to ride the government clock, raking in fat, hazardous-duty paychecks.
-3
The story focuses on a family of anthropomorphic rabbits, the widowed mother rabbit cautioning her young against entering a vegetable garden grown by a man named Mr. McGregor, telling them: "your Father had an accident there; he was put in a pie by Mrs. McGregor". Whereas her three daughters obediently refrain from entering the garden, going down the lane to pick blackberries, her rebellious son Peter enters the garden to snack on some vegetables. Peter ends up eating more than is good for him and goes looking for parsley to cure his stomach ache.
0
Coproduced by the U.S.Holocaust Memorial Museum Research Institute,this Academy Award-winning documentary relates the harrowing story of Gerda Weissmann Klein and her journey of survival and remembering both before and after the war.
1
Ellen shares her humorous observations on daily life, including remembering names, clothing, the need for approval, and making personal videos in this post-coming-out performance, fully acknowledges Ellen DeGeneres's status as America's most famous lesbian.
3
The story of the discovery of the AIDS epidemic and the political infighting of the scientific community hampering the early fight with it.
-1
Steve Clark is a newcomer in the town of Cradle Bay, and he quickly realizes that there's something odd about his high school classmates. The clique known as the "Blue Ribbons" are the eerie embodiment of academic excellence and clean living. But, like the rest of the town, they're a little too perfect. When Steve's rebellious friend Gavin mysteriously joins their ranks, Steve searches for the truth with fellow misfit Rachel.
-1
Marcus is a successful advertising executive who woos and beds women almost at will. After a company merger he finds that his new boss, the ravishing Jacqueline, is treating him in exactly the same way. Completely traumatised by this, his work goes badly downhill.
0
John Gage offers a down-on-his-luck yuppie husband $1 million for the opportunity to spend the night with the man's wife.
0
In this (mostly) one-man show, comedian Paul F. Tompkins holds forth on alcohol, pretension and Hollywood, managing to drink four full pints of Guinness over the course of the performance.
0
A pair of aliens arrive on Earth to prepare for invasion, but crash instead. With enormous cone-shaped heads, robotlike walks and an appetite for toilet paper, aliens Beldar and Prymatt don't exactly blend in with the population of Paramus, N.J. But for some reason, everyone believes them when they say they're from France.
-1
Every school day, African-American teenagers William Gates and Arthur Agee travel 90 minutes each way from inner-city Chicago to St. Joseph High School in Westchester, Illinois, a predominately white suburban school well-known for the excellence of its basketball program. Gates and Agee dream of NBA stardom, and with the support of their close-knit families, they battle the social and physical obstacles that stand in their way. This acclaimed documentary was shot over the course of five years.
3
Danny, dying of AIDS, returns home for his last months. Always close to his mother, they share moments of openness that tend to shut out Danny's father and his sister.
0
The story of Mike Tyson. From his early days as a 12 year old amateur with a powerful punch, to the undisputed title of "Heavyweight Champion of the World", and ultimately to his conviction for rape. The story of his turbulent life moves quickly, never focusing for long on anything in particular.
0
Polish immigrant Karol Karol finds himself out of a marriage, a job and a country when his French wife, Dominique, divorces him after six months due to his impotence. Forced to leave France after losing the business they jointly owned, Karol enlists fellow Polish expatriate Mikołaj to smuggle him back to their homeland.
-1
When a son and mother move to Seattle in hopes for a better life, the mother meets a seemingly polite man. Things go south when the man turns out to be abusive, endangering their lives. As the mother struggles to maintain hope in an impossible situation, the son has plans to escape.
-1
An obese lawyer finds himself growing "Thinner" when an old gypsy man places a hex on him. Now the lawyer must call upon his friends in organized crime to help him persuade the gypsy to lift the curse. Time is running out for the desperate lawyer as he draws closer to his own death, and grows ever thinner.
-3
The hottest comedy talents of the 1990s headline these solo half-hour stand-up specials.
2
Sheffield, England. Gaz, a jobless steelworker in need of quick cash persuades his mates to bare it all in a one-night-only strip show.
-1
The Joker is back with a vengeance, and Gotham's newest Dark Knight, Terry McGinnis, needs answers as he stands alone to face Gotham's most infamous Clown Prince of Crime.
-5
Jean Valjean, a Frenchman imprisoned for stealing bread, must flee a police officer named Javert. The pursuit consumes both men's lives, and soon Valjean finds himself in the midst of the student revolutions in France.
-2
This shows physicist Stephen Hawking's life as he deals with the ALS that renders him immobile and unable to speak without the use of a computer. Hawking's friends, family, classmates, and peers are interviewed not only about his theories but the man himself.
-1
Richard Kuklinski was a devoted husband, loving father--and ruthless killer of over 100 people. You'll meet him in this powerful documentary that features one of the most vivid and disturbing interviews ever recorded--taped behind the walls of the prison where Kuklinski is serving two consecutive life sentences for multiple homicide.
-1
Dave Chappelle returns for a stand-up to D.C. and riffs on politics, police, race relations, drugs, Sesame Street and more.
0
The Chris Rock Show is a late night comedy talk show featured on HBO. It was created by Chris Rock and featured various guests. The show won an Emmy for Outstanding Writing for a Variety or Music Program in 1999. It ran for five seasons from 1997 to 2000.
3
An ad-agency boss (Alan Alda) leads a white-water-rafting trip into danger.
0
Julie is haunted by her grief after living through a tragic auto wreck that claimed the life of her composer husband and young daughter. Her initial reaction is to withdraw from her relationships, lock herself in her apartment and suppress her pain. But avoiding human interactions on the bustling streets of Paris proves impossible, and she eventually meets up with Olivier, an old friend who harbors a secret love for her, and who could draw her back to reality.
-5
A gang of bank-robbing misfits heads to Mexico with the blueprints for the perfect million-dollar heist, but when one of the crooks wanders into the wrong bar... and crosses the wrong vampire... the thieving cohorts develop a thirst for blood!
-4
A successful veterinarian and radio show host with low self-esteem asks her model friend to impersonate her when a handsome man wants to see her.
2
A behind-the-scenes documentary about the Clinton for President campaign, focusing on the adventures of spin doctors James Carville and George Stephanopoulos.
0
In 1976, a lower-middle-class teenager struggles to cope living with her neurotic family of nomads on the outskirts of Beverly Hills.
-2
This follow-up to the 1989 documentary ONE YEAR IN A LIFE OF CRIME revisits three of the original subjects in New Jersey during a five-year period in the 1990s. We share in their triumphs and setbacks as they navigate lives of poverty, drug abuse, AIDS, and petty crime.
-5
Although Jason works as a department store clerk, he is also a reincarnated prince. Long ago, his beloved Jessie was snatched away from him by an evil wizard who used his powers to transform her into wooden statue. Now Jessie is in Jason's department store as a mannequin. When he encounters her, she awakens from her thousand-year sleep. They quickly revive their romance, but the evil wizard has been reincarnated as well, and he's up to no good.
3
A big city cop from LA moves to a small town police force and immediately finds himself investigating a murder. Using theories rejected by his colleagues, the cop, John Berlin, meets a young blind woman named Helena, who he is attracted to. Meanwhile, a serial killer is on the loose and only John knows it.
-5
Tabloid reporters are sent by their editor to investigate after the paper recieves a letter from a woman claiming an angel is living with her.
1
Best friends Alice and Darlene take a trip to Thailand after graduating high school. In Thailand, they meet a captivating Australian man, who calls himself Nick Parks. Darlene is particularly smitten with Nick and convinces Alice to take Nick up on his offer to treat the two of them to what amounts to a day trip to Hong Kong. In the airport, the girls are seized by the police and shocked to discover that one of their bags contains heroin.
2
A group of rambunctious toddlers travel a trip to Paris. As they journey from the Eiffel Tower to Notre Dame, they learn new lessons about trust, loyalty and love.
3
Chris Rock brings his critically acclaimed brand of social commentary-themed humour to this HBO Special, extolling his razor-sharp wit and wisdom on such topics as gun control, President Clinton, homophobia, racism, black leaders and relationships.
3
In Italy in the 1930s, sky pirates in biplanes terrorize wealthy cruise ships as they sail the Adriatic Sea. The only pilot brave enough to stop the scourge is the mysterious Porco Rosso, a former World War I flying ace who was somehow turned into a pig during the war. As he prepares to battle the pirate crew's American ace, Porco Rosso enlists the help of spunky girl mechanic Fio Piccolo and his longtime friend Madame Gina.
-1
Based on the true story of a Russian serial killer who, over many years, claimed victim to over 50 people. His victims were mostly under the age of 17. In what was then a communists state, the police investigations were hampered by bureaucracy, incompetence and those in power. The story is told from the viewpoint of the detective in charge of the case.
-3
They used to run the country. Now they're running for their lives! Two on-the-lam former Presidents of the United States. Framed in a scandal by the current President and pursued by armed agents, the two squabbling political foes plunge into a desperately frantic search for the evidence that will establish their innocence.
-5
In a small and conservative Scottish village, a woman's paralytic husband convinces her to have extramarital intercourse so she can tell him about it and give him a reason for living.
-1
In this fascinating Oscar-nominated documentary, American guitarist Ry Cooder brings together a group of legendary Cuban folk musicians (some in their 90s) to record a Grammy-winning CD in their native city of Havana. The result is a spectacular compilation of concert footage from the group's gigs in Amsterdam and New York City's famed Carnegie Hall, with director Wim Wenders capturing not only the music -- but also the musicians' life stories.
4
A 14-year-old video enthusiast obsessed with violent films decides to make one of his own and show it to his parents, with tragic results.
-1
Mock documentary about Seinfeld writer Larry David featuring contributions from his friends and colleagues. Larry makes a return to stand-up comedy and prepares to film a television special for HBO.  This is the original special that gave birth to the long-running award-winning HBO series.
0
Annoyed by the responsibility of being an older brother to Dil, Tommy sets out with Chuckie, Phil, and Lil to return his baby brother to the hospital. However, they inadvertently get lost in the woods during their trip.
-2
A man works for the unpleasant guru of a Scientology-like movement.
0
In WWII Western Germany, Private David Manning reluctantly leaves behind a mortally wounded fellow soldier and searches for survivors from his platoon, only to learn from commanding officer Captain Pritchett that they have all been killed in action. Despite requesting a discharge on the grounds of mental disability, Manning is promoted to sergeant and assigned to lead a new platoon of young inductees.
0
When Mr. Freeze kidnaps Barbara Gordon, as an involuntary organ donor to save his dying wife, Batman and Robin must find her before the operation can begin.
-3
Shizuku lives a simple life, dominated by her love for stories and writing. One day she notices that all the library books she has have been previously checked out by the same person: 'Seiji Amasawa'.
2
Gia Carangi travels to New York City with dreams of becoming a fashion model. Within minutes of arriving, she meets Wilhelmina Cooper, a wise and high-powered agent who takes Gia under her wing. With Cooper's help and her own natural instincts, Gia quickly shoots to the top of the modeling world. When Cooper dies of lung cancer, however, Gia turns to drugs – and both she and her career begin to spiral out of control.
1
The Brak Show is an animated television series that aired on Cartoon Network's late night programming block, Adult Swim. The Brak Show is a spin-off of the animated television series, Space Ghost Coast to Coast, and featured recurring characters from Space Ghost Coast to Coast and Cartoon Planet. Both programs used stock footage from the Hanna-Barbera cartoon Space Ghost. The protagonist is Brak, voiced by Andy Merrill, who developed a quirky persona for the character.

An earlier version of the pilot episode, "Mr. Bawk Ba Gawk", originally aired prior to the official launch of Adult Swim on Cartoon Network on December 21, 2000, as part of a preview of upcoming Adult Swim shows. The series made its official debut during the night Adult Swim officially launched on September 2, 2001, and ended on December 31, 2003, with a total of 28 episodes. On May 24, 2007 a webisode for the series was released on Adult Swim Video, ending the series.
-1
The Swashbuckling legend of Robin Hood unfolds in the 12th century when the mighty Normans ruled England with an iron fist.
0
An English auctioneer proposes to the daughter of a mafia kingpin, only to realize that certain "favors" would be asked of him.
1
A man is put to prison for 10 years. Coming out of prison he wants to live a normal life and stop with crime but his son has yet followed the criminal path of his father.
-4
Crashbox is a Canadian-American educational children's television series that airs on the HBO Family digital cable television channel in the United States. It aims to educate grade-school children in history, math, vocabulary, and other various subjects.

The show takes place in the insides of a game computer where green game cartridges are created and loaded by rusty robots. Each half-hour episode consists of at least seven 2-to-5-minute educational games. Near the end, the robots will do "Crashbox Rewind" where they flash back through the show and remind you how smart you really are.
0
A Harvard professor is lured back into the courtroom after twenty-five years to take the case of a young black man condemned to death for the horrific murder of a child.
-4
In 1939, boy-wonder Orson Welles leaves New York, where he has succeeded in radio and theater, and, hired by RKO Pictures, moves to Hollywood with the purpose of making his first film.
1
Three escaped convicts take a group of deaf students hostage.
-2
It's 1982, and Taeko is 27 years old, unmarried, and has lived her whole life in Tokyo. She decides to visit her family in the countryside, where she begins to reconnect to forgotten longings. In lyrical switches between the present and the past, Taeko contemplates the arc of her life, and wonders if she has been true to the dreams of her childhood self.
1
Explore the world of forensic science through photos and case studies of several of the country's leading autopsy experts, including forensic pathologist, Dr. Michael Baden.
1
At Kichijōji Station, Tokyo, Taku Morisaki glimpses a familiar woman on the platform opposite boarding a train. Later, her photo falls from a shelf as he exits his apartment before flying to Kōchi Prefecture. Picking it up, he looks at it briefly before leaving. As the aeroplane takes off, he narrates the events that brought her into his life...
-1
The activities of rampaging, indiscriminate serial killer Ben are recorded by a willingly complicit documentary team, who eventually become his accomplices and active participants. Ben provides casual commentary on the nature of his work and arbitrary musings on topics of interest to him, such as music or the conditions of low-income housing, and even goes so far as to introduce the documentary crew to his family. But their reckless indulgences soon get the better of them.
-1
In the fall of 1963, Eddie Birdlace is an 18-year-old Marine Corps volunteer who is about to ship out with three of his buddies for a tour of duty in Vietnam. Planning a massive blowout for their last night in San Francisco, Eddie, his buddies, and a number of other Marines set up a contest they call a "dogfight."
-1
Taped in July before a live audience at the Showbox Theatre in Seattle, Cross pushes his brash humor to new extremes, offering uncensored remarks on the Virgin Mary, trendy advertising, violence in the media, airports and pornography, Dr. Kevorkian, organ donations, High Times magazine and religious fundamentalists.
1
A rich brat fakes her own kidnapping, but in the process ends up locked in the trunk of a car that gets stolen.
-2
An acclaimed stage performer, Dorothy still struggled with the challenge of her color, in a time that wouldn't let some stars in by the front door. Yet against the odds she beat out many more famous rivals for the role of "Carmen Jones", becoming the first black woman ever nominated for a Best Actress Academy Award. Marriages and affairs would break her heart, but her heart was strong. Seductive and easily seduced, she was born to be a star - with all the glory and all the pain of being loved, abused, cheated, glorified, undermined and undefeated. Here was a woman who wouldn't wait in the wings. Halle Berry stars as Dorothy Dandrige.
0
The Raccoons of the Tama Hills are being forced from their homes by the rapid development of houses and shopping malls. As it becomes harder to find food and shelter, they decide to band together and fight back. The Raccoons practice and perfect the ancient art of transformation until they are even able to appear as humans in hilarious circumstances.
3
The accidental shooting of a boy in New York leads to an investigation by the Deputy Mayor, and unexpectedly far-reaching consequences.
-1
Hangin' with Mr. Cooper is an American television sitcom that originally aired on ABC from 1992 to 1997, starring Mark Curry and Holly Robinson. The show took place in Curry's hometown of Oakland, California. Hangin' with Mr. Cooper was produced by Jeff Franklin Productions, in association with Warner Bros. Television, and also became produced by Bickley-Warren Productions by the third season.

The show originally aired on Tuesdays in prime time after sister series Full House. The show found its niche as an addition to the already successful TGIF Friday night lineup on ABC, and was part of the lineup from September 1993 to May 1996, before moving to Saturdays for its fifth and final season.
1
An anthology of 5 different cab drivers in 5 American and European cities and their remarkable fares on the same eventful night.
2
Based on a true story, Vendetta tells the shocking and tragic story of a group of Sicilian immigrants working on the New Orleans docks in the 1890's. After the Chief of Police was brutally murdered, much of the city's Sicilian population was rounded up and brought in for questioning. Eventually, thirteen were formally tried for murder and nine went to trial, and while they were acquitted, a series of brutal lynchings showed they had as much to fear from the city's general populace as they did from the corrupt police force.
-7
David Spade focuses on pop-culture bashing in his first solo HBO TV comedy special that aired on April 17, 1998 and was taped in front of a live audience. In this 60 minute show, David Spade uses his everyday life experiences as a platform for his jokes.
-4
Boozer, skirt chaser, careless father. You could create your own list of reporter Steve Everett's faults but there's no time. A San Quentin Death Row prisoner is slated to die at midnight – a man Everett has suddenly realized is innocent.
-5
In the nine months prior to World War II, 10.000 innocent children left behind their families, their homes, their childhood, and took the journey... to Britain to escape the Nazi Holocaust.
0
Jesse becomes reunited with Willy three years after the whale's jump to freedom as the teenager tries to rescue the killer whale and other orcas from an oil spill.
0
Inspired by a true story. A petty criminal sent to Alcatraz in the 1930s is caught attempting to make an escape. As punishment he is put in solitary confinement. The maximum stay is supposed to be 19 days, but Henri spends years alone, cold and in complete darkness, only to emerge a madman and soon to be a murderer. The story follows a rookie lawyer attempting to prove that Alcatraz was to blame.
-7
Postwar Germany, 1945. Leopold Kessler, an American of German descent, works as a sleeping car conductor for the Zentropa railway line. When he meets Katharina Hartmann, the railroad owner's daughter, and they fall in love, his life intersects with the dark and violent path of a mysterious organization opposed to the United States army military occupation.
-2
When a street-smart FBI agent is sent to Georgia to protect a beautiful single mother and her son from an escaped convict, he is forced to impersonate a crass Southern granny known as Big Momma in order to remain incognito.
1
The Yamadas are a typical middle class Japanese family in urban Tokyo and this film shows us a variety of episodes of their lives. With tales that range from the humorous to the heartbreaking, we see this family cope with life's little conflicts, problems, and joys in their own way.
0
Detective Rita Veder is assigned to a baffling serial murder case. After examining the crime scene — a corpse-filled ship found adrift at sea — Rita meets Maximilian, a smooth-talking Caribbean playboy determined to romance her. When Rita begins suffering from crippling hallucinations, she calls upon Dr. Zeko, an occultist who suspects a vampire is on the loose.
-8
Hip Hop duo Kid & Play return in the second follow-up to their 1990 screen debut House Party. Kid (Christopher "Kid" Reid) is taking the plunge and marrying his girlfriend Veda (Angela Means), while his friend Play (Christopher Martin) is dipping his toes into the music business, managing a roughneck female rap act called Sex as a Weapon. Play books the ladies for a concert with heavy-hitting pr
0
In 1934, the second most lucrative business in New York City was running 'the numbers'. When Madam Queen—the powerful woman who runs the scam in Harlem—is arrested, Ellsworth 'Bumpy' Johnson takes over the business and must resist an invasion from a merciless mobster.
-1
A shady police detective becomes embroiled in a strange world of murder, sadism and madness after being assigned a murder investigation against a madman known only as "The Engineer".
-7
Hard-as-nails cop, Jake Stone moves in with the Robbersons so he can watch a hitman who has moved in next door. The Hitman is one thing—but can you survive the Robberson family.
0
With both her adoptive parents now dead, a black optometrist decides to make contact with her birth mother, but is shocked to find out that she is white.
-2
Kid'N'Play leave their neighborhood and enter the world of adulthood and higher education. Play attempts to get rich quick in the music business while Kid faces the challenges of college.
1
Elmo loves his fuzzy, well-worn blue blanket more than anything in the whole world. Elmo's blanket gets sucked into colorful, swirling tunnel into Grouchland, the yuckiest place on earth. Elmo goes on an adventure to Grouchland to retrieve his blanket.
0
To save a group of horses slated to be destroyed by the US Cavalry, a group of officers rebel and begin a journey towards Canada to save themselves and the mounts.
0
Emperor Spengo sees Marge Nelson and using a giant magnet, kidnaps her and her husband Dick, hoping to make Marge his before blowing up the Earth. The Emperor and other inhabitants of his planet are somewhat less than bright, and Dick begins reliving episodes of Flash Gordon and Buck Rogers in order to rescue Marge, save the Earth, and restore the rightful emperor to the throne.
0
Narrowly escaping death, outlaw Johnny Madrid is on the run from the hangman, with the hangman's sensuous daughter Esmeralda by his side. Along with Madrid's gang, Johnny and Esmeralda embark on an adventure filled with colorful and unsavory characters who lead them straight into the fight of their lives!
-1
In 1971, a warden at Attica Penitentiary is caught up in a hostage crisis when inmates take over the prison to demand better living conditions.
-2
David Letterman vies with Jay Leno and his manager to succeed Johnny Carson, retiring from "The Tonight Show."
1
The McMartin family's lives are turned upside down when they are accused of serious child molestation. The family run a school for infants. An unqualified child cruelty "expert" videotapes the children describing outrageous stories of abuse. One of the most expensive and long running trials in US legal history, exposes the lack of evidence and unprofessional attitudes of the finger pointers which kept one of the accused in jail for over 5 years without bail.
-7
An American with a Japanese upbringing, Chris Kenner is a police officer assigned to the Little Tokyo section of Los Angeles. Kenner is partnered with Johnny Murata, a Japanese-American who isn't in touch with his roots. Despite their differences, both men excel at martial arts, and utilize their formidable skills when they go up against Yoshida, a vicious yakuza drug dealer with ties to Kenner's past.
2
Texas native Jamie King is an aspiring actor who heads to Hollywood in hopes to find fame and fortune in the entertainment industry. To support himself, he works at his Aunt Helen and Uncle Junior's Los Angeles hotel, the King's Towers.
4
The story follows a band of former Confederate soldiers who were part of a cavalry unit. Their commander, Graff (Rourke) had once been a heroic and staunch supporter of the southern cause, but after losing his family he became cold hearted and ruthless. His second in command is Eustis (Mulroney), whom Graff has trained on the strategies of leadership and combat command.
0
The Apache Indians have reluctantly agreed to settle on a US Government approved reservation. Not all the Apaches are able to adapt to the life of corn farmers. One in particular, Geronimo, is restless. Pushed over the edge by broken promises and necessary actions by the government, Geronimo and thirty or so other warriors form an attack team which humiliates the government by evading capture, while reclaiming what is rightfully theirs.
-2
Connie Doyle is eighteen, pregnant and alone. She accidentally ends up on a train where she meets Hugh Winterbourne and his wife pregnant Patricia. The train wrecks and she wakes up in the hospital to find out that it's been assumed that she's Patricia. Hugh's mother takes her in and she falls in love with Hugh's brother Bill. Just when she thinks everything is going her way, her ex-boyfriend shows up.
-1
In the House is an American sitcom
0
During the Second World War, a special project is begun by the US Army Air Corps to integrate African American pilots into the Fighter Pilot Program. Known as the "Tuskegee Airman" for the name of the airbase at which they were trained, these men were forced to constantly endure harassement, prejudice, and much behind the scenes politics until at last they were able to prove themselves in combat.
-1
The Parent 'Hood is an American sitcom that aired on The WB airing from January 18, 1995 to July 25, 1999. The series starred Robert Townsend and Suzzanne Douglas.

Originally to have been titled Father Knows Nothing, the series was one of the four sitcoms that aired as part of the original Wednesday night two-hour lineup that helped launch The WB network.
1
When jobless Tommy Collins discovers that sequestered jurors earn free room and board as well as $5-a-day, he gets himself assigned to a jury in a murder trial. Once there, he does everything he can to prolong the trial and deliberations and make the sequestration more comfortable for himself.
1
The film documents, in an often dramatic and humorous fashion, Gray's investigations into alternative medicine for an eye condition (Macular pucker) he had developed.
1
After Elizabeth's husband dies, she begins to play her tenor saxophone again, and remembers when she was 15 and a member of the Blonde Bombshells, an all-girl (with one exception) swing band. Accompanied by the exception and urged on by her grand-daughter, Elizabeth hunts up all the old members of the band and urges them to perform, and in doing so, learns more than she knew about the band, its members, the roses on the drum set, and herself--the last of the Blonde Bombshells.
0
Stand up comedy by Martin Lawrence, filmed in the Majestic Theater in New York City. Martin Lawrence talks about everything from racism, to relationships, to his childhood.
0
For a class project, three college students decide to invent an unfounded rumor about the most popular girl on campus. But as the rumor spreads, it begins to spiral out of control.
-2
Young, impulsive Rosetta lives a hard and stressful life as she struggles to support herself and her alcoholic mother. Refusing all charity, she is desperate to maintain a dignified job.
-4
Eliza D'Amico thinks her marriage to Louis is going great until she finds a mysterious love note to her husband. Concerned, she goes to her mother for advice. Eliza, her parents, her sister Jo, and Jo's boyfriend all pile into a station wagon to go to the city to confront Louis with the letter. On the way, the five explore their relations with each other and meet many interesting people.
0
Happily Ever After: Fairy Tales for Every Child is an American anthology animated television series that premiered March 26, 1995, on HBO. Narrated by Robert Guillaume, the series aired 39 episodes from 1995 to 2000, and is currently airing on the HBO Family digital cable television channel in the United States since 1999.
1
When George Carlin is asked which HBO concert is his favorite, his answer is always, "Jammin’ In New York." The show, taped at the Paramount Theater in Madison Square Garden and winner of the 1992 CableACE Award, is a perfect blend of biting social commentary and more gently-observed observational pieces.
4
Adrien, a writer who has had only marginal commercial success, discovers that he is dying and tells his friend Gabriel, with whom he has had a tumultuous relationship. Gabriel tries to attend to his friend while making sense of his complicated romantic life, torn between dependable Jenny and volatile Anne. Meanwhile, other friends of Adrien struggle to assess their lives and careers in the wake of his revelation.
-2
The true story of the US Government's 1932 Tuskeegee Syphilis Experiments, in which a group of black test subjects were allowed to die, despite a cure having been developed.
0
Margaret Wise Brown and Clement Hurd's bestselling children's book headlines this winning 25-minute collection of sleepytime tales from HBO. Susan Sarandon narrates the simple story of a bunny readying for bed. Other top entertainers lend their voices to the tape: Tony Bennett sings the story of "Hit the Road to Dreamland"; Lauryn Hill brings rhythm to "Hush, Little Baby"; Billy Crystal lends many voices to Mercer Mayer's "There's a Nightmare in My Closet"; and singers Natalie Cole, Aaron Neville, and Patti LeBelle sing other tales. A dandy video for the youngster, punctuated with "interviews" of real kids answering a host of bedtime questions.
3
Agnes Varda's documentary of the celebrations arising from the 25th anniversary of her husband Jacques Demy's film The Young Girls of Rochefort.
1
In 1961 Mississippi was a virtual South African enclave within the United States. Everything is segregated. There are virtually no black voters. Bob Moses, enters the state and the Voter Registration Project begins. The first black farmer who attempts to register is fatally shot by a Mississippi State Representative. But four years later, the registration is open. By 1990, Mississippi has more elected black officials than any other state in the union.
-1
Elmer, a sensitive duckling whose schoolmates tease him for being a sissy. However, after his unusual talents help him save a life, the other members of the flock learn to respect him as he is.
1
Agnès Varda's documentary portrait of her late husband, Jacques Demy.  A companion piece to her Jacquot de Nantes.
0
Jason Kuller, the comedian from New York's Catskill Mountains, performs his material on an intimate stage in this riotous special.
1
An examination of a group of skinheads--white, mostly male youths involved in the neo-Nazi, white supremacist hate movement in the U.S.--and the older adults who brought them into, and try to keep them in, the movement in the first place.
-1
A young boy, confined to his bed, uses his imagination to find the fun and excitement he can't experience in real life. Tony Award-winning actor Jonathan Pryce "'Miss Saigon'" lends his voice to this animated musical based on the life and beloved children's poetry of Robert Louis Stevenson. Songs composed by Charles Strouse.
2
When a child gets hold of a loaded handgun, someone often dies. Last year, 24,000 Americans lost their lives to handguns...and 3,600 of them were children. This profoundly disturbing documentary tells the stories of five handguns that killed five children--and how their deaths might have been prevented.
-3
Little Ira is invited to his best friend's sleep-over party, but struggles with leaving his beloved teddy bear behind.
1
They're the real 'goodfellas': 'Joe Dogs' Iannuzzi, Tommy DelGiorno, 'Big Dom' Lofaro. For the first time on television, Mafia turncoats give personal accounts of life inside the Mob. In this shocking documentary, five high-ranking informants tell tales of murder, brutality, greed and vanity--and why they broke the Sicilian code of honor.  The first generation of the American Mafia stood on the foundation of loyalty and a code of silence. The second and third generations traded their Sicilian traditions for government protection and instant personal gain.  MOB STORIES presents five chilling narratives from five members of the underworld, most of whom are overwhelmed with fear and paranoia with the exception of “Fat Jackie”, a loyal lifelong mobster. Father and son team, Alan and Marc Levin, direct and produce an honest and personal portrayal of the demise of the Mafia.
-6
Whoopi Goldberg host a stand-up comedy special and invites up-and-coming comedians to perform.
0
Fists of Freedom examines one of the 20th century’s most memorable moments — the dramatic “Black Power” demonstration of American sprinters Tommie Smith and John Carlos on the victory stand at the 1968 Summer games in Mexico City. Using rare footage, archival photos and interviews with key figures from the era, revisit a pivotal event in American history.
2
A documentary made for the PBS program American Masters about the comedy team Nichols and May.
1
A documentary covering the 1998 Winter Olympic Games in Nagano.
0
The comedy star takes the stage for his third HBO solo stand-up performance in an hour-long show full of sidesplitting material, including his insights on family, fatherhood and growing up!
0
If you're arrested in New York City and can't make bail, you'll be sent to Rikers Island -- a mammoth holding facility for 17,000 men and women awaiting trial. TV journalist Jon Alpert spent ten months filming there, coming away with a graphic and unblinking portrait of life inside America's largest jail complex, including a moving look at the human faces behind the statistics.
-1
An intensely personal exploration of an explosive issue -- abortion in America. Wrenching first-person narratives from seven decades of women, each one facing an unplanned pregnancy -- and the dreadful decision that no one wants to make. Both pro-life and pro-choice, both out front on the picket line and inside the clinic, these women's stories turn politics into heart-searing drama: a pregnant 17-year-old and her pro-life mother whose conflict unfolds in front of the camera; a 22-year-old who became a pro-life protester when she learned that her mother nearly aborted her; an unhappy mother-of-two who's expecting a third when her marriage suddenly hits the rocks; a 71-year-old grandmother who still grieves for her mother, an early victim of illegal abortion. In this fusion of past and present, the history of abortion is the history of women -- told at a time in America when yesterday's back-alley abortions may be the only choice left for tomorrow.
-9
Documentary examining one of the most notorious incidents in college basketball history, when seven members of the City College of New York (CCNY) basketball team conspired with gamblers to fix games over two seasons (1949-51). Includes archival television footage, home movies, and interviews with p
-1
A terminally ill teenage boy sues for the right to stop his medical treatment.
0
As its title implies, this video attempts to go beyond the public persona of one of major league baseball's greatest stars. Accepting Ruth as a larger-than-life figure, this 59-minute video doesn't attempt to rationalize, apologize, or analyze his behavior. Rather, it endeavors to present an unbiased account of the life of George Herman Ruth, contradictions and all.
1
A documentary covering the 1994 Olympic Games in Lillehammer.
0
The sitcom is centered on five characters living in Pasadena, California: roommates Leonard Hofstadter and Sheldon Cooper; Penny, a waitress and aspiring actress who lives across the hall; and Leonard and Sheldon's equally geeky and socially awkward friends and co-workers, mechanical engineer Howard Wolowitz and astrophysicist Raj Koothrappali. The geekiness and intellect of the four guys is contrasted for comic effect with Penny's social skills and common sense.
1
Told from the points of view of both the Baltimore homicide and narcotics detectives and their targets, the series captures a universe in which the national war on drugs has become a permanent, self-sustaining bureaucracy, and distinctions between good and evil are routinely obliterated.
0
Fringe is an American science fiction television series that follows Olivia Dunham, Peter Bishop, and Walter Bishop, members of a Federal Bureau of Investigation "Fringe Division" team based in Boston, Massachusetts under the supervision of Homeland Security. The team uses "fringe" science and FBI investigative techniques to investigate a series of unexplained, often ghastly occurrences, which are related to mysteries surrounding a parallel universe. The series has been described as a hybrid of The X-Files, Altered States, and The Twilight Zone.
-4
The further adventures in time and space of the alien adventurer known as the Doctor and their companions from planet Earth.
0
Drawn from interviews with survivors of Easy Company, as well as their journals and letters, Band of Brothers chronicles the experiences of these men from paratrooper training in Georgia through the end of the war. As an elite rifle company parachuting into Normandy early on D-Day morning, participants in the Battle of the Bulge, and witness to the horrors of war, the men of Easy knew extraordinary bravery and extraordinary fear - and became the stuff of legend. Based on Stephen E. Ambrose's acclaimed book of the same name.
8
A true story about Frank Abagnale Jr. who, before his 19th birthday, successfully conned millions of dollars worth of checks as a Pan Am pilot, doctor, and legal prosecutor. An FBI agent makes it his mission to put him behind bars. But Frank not only eludes capture, he revels in the pursuit.
2
Atlantic City at the dawn of Prohibition is a place where the rules don't apply. And the man who runs things -- legally and otherwise -- is the town's treasurer, Enoch "Nucky" Thompson, who is equal parts politician and gangster.
0
Llewelyn Moss stumbles upon dead bodies, $2 million and a hoard of heroin in a Texas desert, but methodical killer Anton Chigurh comes looking for it, with local sheriff Ed Tom Bell hot on his trail. The roles of prey and predator blur as the violent pursuit of money and justice collide.
-6
To take down South Boston's Irish Mafia, the police send in one of their own to infiltrate the underworld, not realizing the syndicate has done likewise. While an undercover cop curries favor with the mob kingpin, a career criminal rises through the police ranks. But both sides soon discover there's a mole among them.
0
Patrick Jane, a former celebrity psychic medium, uses his razor sharp skills of observation and expertise at "reading" people to solve serious crimes with the California Bureau of Investigation.
1
The story of two vampire brothers obsessed with the same girl, who bears a striking resemblance to the beautiful but ruthless vampire they knew and loved in 1864.
2
The story of the early days of Deadwood, South Dakota; woven around actual historic events with most of the main characters based on real people. Deadwood starts as a gold mining camp and gradually turns from a lawless wild-west community into an organized wild-west civilized town. The story focuses on the real-life characters Seth Bullock and Al Swearengen.
0
True Blood is an American television drama series created and produced by Alan Ball. It is based on The Southern Vampire Mysteries series of novels by Charlaine Harris, detailing the co-existence of vampires and humans in Bon Temps, a fictional, small town in northwestern Louisiana. The series centers on the adventures of Sookie Stackhouse, a telepathic waitress with an otherworldly quality.
-2
Two co-dependent high school seniors are forced to deal with separation anxiety after their plan to stage a booze-soaked party goes awry.
-1
A family living on a farm finds mysterious crop circles in their fields which suggests something more frightening to come.
-2
After narrowly escaping a bizarre accident, a troubled teenager is plagued by visions of a large bunny rabbit that manipulates him to commit a series of crimes.
-3
A down-to-earth account of the lives of both illustrious and ordinary Romans set in the last days of the Roman Republic.
1
Years after he turned his back on his hometown, a burned-out major league ballplayer returns to teach phys ed at his old middle school.
0
Hook up with Finn and Jake as they travel the Land of Ooo searching for adventure. But remember, adventure isn’t always easy. Sometimes you’ve got to battle fire gnomes that torture old ladies, save a smelly hot dog princess from the Ice King, and thaw out a bunch of frozen businessmen. What the cabbage?!
-1
An epic love story centered around an older man who reads aloud to a woman with Alzheimer's. From a faded notebook, the old man's words bring to life the story about a couple who is separated by World War II, and is then passionately reunited, seven years later, after they have taken different paths.
2
A young girl, Chihiro, becomes trapped in a strange new world of spirits. When her parents undergo a mysterious transformation, she must call upon the courage she never knew she had to free her family.
-1
A pie-maker, with the power to bring dead people back to life, solves murder mysteries with his alive-again childhood sweetheart, a cynical private investigator, and a lovesick waitress.
-3
A darkly comic look at members of a dysfunctional L.A. family that run a funeral business. 

When death is your business, what is your life? For the Fisher family, the world outside of their family-owned funeral home continues to be at least as challenging as--and far less predictable than--the one inside.
-2
Le Chiffre, a banker to the world's terrorists, is scheduled to participate in a high-stakes poker game in Montenegro, where he intends to use his winnings to establish his financial grip on the terrorist market. M sends Bond—on his maiden mission as a 00 Agent—to attend this game and prevent Le Chiffre from winning. With the help of Vesper Lynd and Felix Leiter, Bond enters the most important poker game in his already dangerous career.
2
The Fantastic Mr. Fox bored with his current life, plans a heist against the three local farmers. The farmers, tired of sharing their chickens with the sly fox, seek revenge against him and his family.
-3
Hank and Dean Venture, with their father Doctor Venture and faithful bodyguard Brock Samson, go on wild adventures facing megalomaniacs, zombies, and suspicious ninjas, all for the glory of adventure. Or something like that.
0
Outlaw Jesse James is rumored to be the 'fastest gun in the West'. An eager recruit into James' notorious gang, Robert Ford eventually grows jealous of the famed outlaw and, when Robert and his brother sense an opportunity to kill James, their murderous action elevates their target to near mythical status.
-4
A listless and alienated teenager decides to help his new friend win the class presidency in their small western high school, while he must deal with his bizarre family life back home.
-2
Track the intertwined real-life stories of three U.S. Marines – Robert Leckie, John Basilone, and Eugene Sledge – across the vast canvas of the Pacific Theater during World War II. A companion piece to the 2001 miniseries Band of Brothers.
0
Wounded to the brink of death and suffering from amnesia, Jason Bourne is rescued at sea by a fisherman. With nothing to go on but a Swiss bank account number, he starts to reconstruct his life, but finds that many people he encounters want him dead. However, Bourne realizes that he has the combat and mental skills of a world-class spy—but who does he work for?
-1
A family loaded with quirky, colorful characters piles into an old van and road trips to California for little Olive to compete in a beauty pageant.
2
With only three weeks left in his three year contract, Sam Bell is getting anxious to finally return to Earth. He is the only occupant of a Moon-based manufacturing facility along with his computer and assistant, GERTY. When he has an accident however, he wakens to find that he is not alone.
-1
Driven by tragedy, billionaire Bruce Wayne dedicates his life to uncovering and defeating the corruption that plagues his home, Gotham City.  Unable to work within the system, he instead creates a new identity, a symbol of fear for the criminal underworld - The Batman.
-4
An exclusive group of privileged teens from a posh prep school on Manhattan's Upper East Side whose lives revolve around the blog of the all-knowing albeit ultra-secretive Gossip Girl.
1
Tom, greeting-card writer and hopeless romantic, is caught completely off-guard when his girlfriend, Summer, suddenly dumps him. He reflects on their 500 days together to try to figure out where their love affair went sour, and in doing so, Tom rediscovers his true passions in life.
0
Each week Bill Maher surrounds himself with a panel of guests which include politicians, actors, comedians, musicians and the like to discuss what's going on in the world.
1
On his first day on the job as a narcotics officer, a rookie cop works with a rogue detective who isn't what he appears.
0
The daily mishaps of a married woman and her semi-dysfunctional family and their attempts to survive life in general in the city of Orson, Indiana.
-1
When the Valley of Peace is threatened, lazy Po the panda discovers his destiny as the "chosen one" and trains to become a kung fu hero, but transforming the unsleek slacker into a brave warrior won't be easy. It's up to Master Shifu and the Furious Five -- Tigress, Crane, Mantis, Viper and Monkey -- to give it a try.
3
When Sophie, a shy young woman, is cursed with an old body by a spiteful witch, her only chance of breaking the spell lies with a self-indulgent yet insecure young wizard and his companions in his legged, walking castle.
-5
Deputy Police Chief Brenda Leigh Johnson transfers from Atlanta to LA to head up a special unit of the LAPD that handles sensitive, high-profile murder cases. Johnson's quirky personality and hard-nosed approach often rubs her colleagues the wrong way, but her reputation as one of the world's best interrogator eventually wins over even her toughest critics.
2
Thirty years ago, aliens arrive on Earth. Not to conquer or give aid, but to find refuge from their dying planet. Separated from humans in a South African area called District 9, the aliens are managed by Multi-National United, which is unconcerned with the aliens' welfare but will do anything to master their advanced technology. When a company field agent contracts a mysterious virus that begins to alter his DNA, there is only one place he can hide: District 9.
-1
Nine years later, Jesse travels across Europe giving readings from a book he wrote about the night he spent in Vienna with Celine. After his reading in Paris, Celine finds him, and they spend part of the day together before Jesse has to again leave for a flight. They are both in relationships now, and Jesse has a son, but as their strong feelings for each other start to return, both confess a longing for more.
-1
After an abrupt and violent encounter with a French warship inflicts severe damage upon his ship, a captain of the British Royal Navy begins a chase over two oceans to capture or destroy the enemy, though he must weigh his commitment to duty and ferocious pursuit of glory against the safety of his devoted crew, including the ship's thoughtful surgeon, his best friend.
-2
Based on the Pretty Little Liars series of young adult novels by Sara Shepard, the series follows the lives of four girls — Spencer, Hanna, Aria, and Emily — whose clique falls apart after the disappearance of their queen bee, Alison. One year later, they begin receiving messages from someone using the name "A" who threatens to expose their secrets — including long-hidden ones they thought only Alison knew.
-2
When a disc containing memoirs of a former CIA analyst falls into the hands of gym employees, Linda and Chad, they see a chance to make enough money for Linda to have life-changing cosmetic surgery. Predictably, events whirl out of control for the duo, and those in their orbit.
0
In Tree Hill, North Carolina two half brothers share a last name and nothing else. Brooding, blue-collar Lucas is a talented street-side basketball player, but his skills are appreciated only by his friends at the river court. Popular, affluent Nathan basks in the hero-worship of the town, as the star of his high school team. And both boys are the son of former college ball player Dan Scott whose long ago choice to abandon Lucas and his mother Karen, will haunt him long into his life with wife Deb and their son Nathan.
4
Ryan Atwood, a teen from the wrong side of the tracks, moves in with a wealthy family willing to give him a chance. But Ryan's arrival disturbs the status quo of the affluent, privileged community of Newport Beach, California.
3
In a gritty and alternate 1985 the glory days of costumed vigilantes have been brought to a close by a government crackdown, but after one of the masked veterans is brutally murdered, an investigation into the killer is initiated. The reunited heroes set out to prevent their own destruction, but in doing so uncover a sinister plot that puts all of humanity in grave danger.
-5
This incarnation of the popular cartoon series finds Scooby and the gang living in Crystal Cove, a small town with a long history of ghost sightings, monster tales and other mysteries ripe for the sleuths to solve once and for all. But the longstanding Crystal Cove residents, who bank on the town's reputation to attract tourists, are prepared to do what it takes to protect their turf.
1
When megalomaniacal White Goodman, the owner of a trendy, high-end fitness center, makes a move to take over the struggling local gym run by happy-go-lucky Pete La Fleur, there's only one way for La Fleur to fight back: dodgeball. Aided by a dodgeball guru and Goodman's attorney, La Fleur and his rag-tag team of underdogs launch a knock-down, drag-out battle in which the winner takes all.
0
Jennifer, a gorgeous, seductive cheerleader takes evil to a whole new level after she's possessed by a sinister demon. Now it's up to her best friend to stop Jennifer's reign of terror before it's too late.
-2
Peter Klaven is a successful real estate agent who, upon getting engaged to the woman of his dreams, Zooey, discovers, to his dismay and chagrin, that he has no male friend close enough to serve as his Best Man. Peter immediately sets out to rectify the situation, embarking on a series of bizarre and awkward "man-dates."
0
Two middle-aged men embark on a spiritual journey through Californian wine country. One is an unpublished novelist suffering from depression, and the other is only days away from walking down the aisle.
-1
Speed Racer is the tale of a young and brilliant racing driver. When corruption in the racing leagues costs his brother his life, he must team up with the police and the mysterious Racer X to bring an end to the corruption and criminal activities. Inspired by the cartoon series.
-3
When U.S. Rangers and an elite Delta Force team attempt to kidnap two underlings of a Somali warlord, their Black Hawk helicopters are shot down, and the Americans suffer heavy casualties, facing intense fighting from the militia on the ground.
-2
John Constantine has literally been to Hell and back. When he teams up with a policewoman to solve the mysterious suicide of her twin sister, their investigation takes them through the world of demons and angels that exists beneath the landscape of contemporary Los Angeles.
-3
A slacker and a career-driven woman accidentally conceive a child after a one-night stand. As they try to make the relationship work, they must navigate the challenges of parenthood and their differences in lifestyle and maturity.
2
A law firm brings in its "fixer" to remedy the situation after a lawyer has a breakdown while representing a chemical company that he knows is guilty in a multi-billion dollar class action suit.
-1
Perhaps their strikingly different personalities make the relationship between detective Jane Rizzoli and medical examiner Maura Isles so effective. Jane, the only female cop in Boston's homicide division, is tough, relentless and rarely lets her guard down, while the impeccably dressed Maura displays a sometimes icy temperament — she is, after all, more comfortable among the dead than the living. Together, the best friends have forged a quirky and supportive relationship; they drop the protective shield in each other's company, and combine their expertise to solve Boston's most complex cases.
4
A teenager reflects on his life after being accused of cheating on the Indian version of "Who Wants to be a Millionaire?".
-1
Carnivàle is an American television series set in the United States during the Great Depression and Dust Bowl. In tracing the lives of two disparate groups of people, its overarching story depicts the battle between good and evil and the struggle between free will and destiny; the storyline mixes Christian theology with gnosticism and Masonic lore, particularly that of the Knights Templar.
0
The lives of three men who were childhood friends are shattered when one of them has a family tragedy.
-1
After discovering a passenger ship missing since 1962 floating adrift on the Bering Sea, salvagers claim the vessel as their own. Once they begin towing the ghost ship towards harbor, a series of bizarre occurrences happen and the group becomes trapped inside the ship, which they soon learn is inhabited by a demonic creature.
-3
Two Los Angeles homicide detectives are dispatched to a northern town where the sun doesn't set to investigate the methodical murder of a local teen.
-1
A great warrior is displaced to the distant future by the evil shape-shifting wizard Aku. The world has become a bleak place under the rule of Aku, segregated into fantastic tribes and ruled by Aku's evil robot warlords. Jack travels this foreign landscape in search of a time portal that can return him to his home time so he can "undo the future that is Aku!".
-2
Faced with an unplanned pregnancy, an offbeat young woman makes an unusual decision regarding her unborn child.
-1
In a countryside town bordering on a magical land, a young man makes a promise to his beloved that he'll retrieve a fallen star by venturing into the magical realm. His journey takes him into a world beyond his wildest dreams and reveals his true identity.
3
When Robert “Granddad” Freeman becomes legal guardian to his two grandsons, he moves from the tough south side of Chicago to the upscale neighborhood of Woodcrest (a.k.a. "The Boondocks") so he can enjoy his golden years in safety and comfort. But with Huey, a 10-year-old leftist revolutionary, and his eight-year-old misfit brother, Riley, suburbia is about to be shaken up.
5
Scientist Bruce Banner scours the planet for an antidote to the unbridled force of rage within him: the Hulk. But when the military masterminds who dream of exploiting his powers force him back to civilization, he finds himself coming face to face with a new, deadly foe.
-3
The Philadelphia homicide squad's lone female detective finds her calling when she is assigned cases that have never been solved. Detective Lilly Rush combines her natural instincts with the updated technology available today to bring about justice for all the victims she can.
0
The trials and tribulations of a two man, digi-folk band who have moved from New Zealand to New York in the hope of forging a successful music career. So far they've managed to find a manager (whose "other" job is at the New Zealand Consulate), one fan (a married obsessive) and one friend (who owns the local pawn shop) -- but not much else.
0
A series of pop-culture parodies using stop-motion animation of toys, action figures and dolls. The title character was an ordinary chicken until he was run down by a car and subsequently brought back to life in cyborg form by mad scientist Fritz Huhnmorder, who tortures Robot Chicken by forcing him to watch a random selection of TV shows, the sketches that make up the body of each episode.
-3
Despondent over a painful estrangement from his daughter, trainer Frankie Dunn isn't prepared for boxer Maggie Fitzgerald to enter his life. But Maggie's determined to go pro and to convince Dunn and his cohort to help her.
-2
Welcome to Sin City. This town beckons to the tough, the corrupt, the brokenhearted. Some call it dark… Hard-boiled. Then there are those who call it home — Crooked cops, sexy dames, desperate vigilantes. Some are seeking revenge, others lust after redemption, and then there are those hoping for a little of both. A universe of unlikely and reluctant heroes still trying to do the right thing in a city that refuses to care.
-1
The exploits a team of people whose job is to investigate the unusual, the strange and the extraterrestrial.
-3
An inside look at NFL training camps. From the top coaches to the rookies trying to make the team, Hard Knocks showcases what it takes to be in the NFL.
-1
The Queen is an intimate behind the scenes glimpse at the interaction between HM Elizabeth II and Prime Minister Tony Blair during their struggle, following the death of Diana, to reach a compromise between what was a private tragedy for the Royal family and the public's demand for an overt display of mourning.
-2
A chronicle of country music legend Johnny Cash's life, from his early days on an Arkansas cotton farm to his rise to fame with Sun Records in Memphis, where he recorded alongside Elvis Presley, Jerry Lee Lewis and Carl Perkins.
1
Four friends find themselves trapped in their small hometown after they discover their friends and neighbors going quickly and horrifically insane.
-2
A comedy about a working class Chicago couple who find love at an Overeaters Anonymous meeting.
1
The Brothers Bloom are the best con men in the world, swindling millionaires with complex scenarios of lust and intrigue. Now they've decided to take on one last job – showing a beautiful and eccentric heiress the time of her life with a romantic adventure that takes them around the world.
3
The true story of Harvey Milk, the first openly gay man ever elected to public office. In San Francisco in the late 1970s, Harvey Milk becomes an activist for gay rights and inspires others to join him in his fight for equal rights that should be available to all Americans.
4
Adapted from David McCullough's Pulitzer Prize-winning biography, this lavish seven-part miniseries chronicles the life of Founding Father John Adams, starting with the Boston Massacre of 1770 through his years as an ambassador in Europe, then his terms as vice president and president of the United States, up to his death on July 4, 1826.
-2
When a CIA operation to purchase classified Russian documents is blown by a rival agent, who then shows up in the sleepy seaside village where Bourne and Marie have been living. The pair run for their lives and Bourne, who promised retaliation should anyone from his former life attempt contact, is forced to once again take up his life as a trained assassin to survive.
-1
Quantum of Solace continues the adventures of James Bond after Casino Royale. Betrayed by Vesper, the woman he loved, 007 fights the urge to make his latest mission personal. Pursuing his determination to uncover the truth, Bond and M interrogate Mr. White, who reveals that the organization that blackmailed Vesper is far more complex and dangerous than anyone had imagined.
0
Two FBI agent brothers, Marcus and Kevin Copeland, accidentally foil a drug bust. To avoid being fired they accept a mission escorting a pair of socialites to the Hamptons--but when the girls are disfigured in a car accident, they refuse to go. Left without options, Marcus and Kevin decide to pose as the sisters, transforming themselves from black men into rich white women.
-1
Justice League Unlimited is an American animated television series that was produced by Warner Bros. Animation and aired on Cartoon Network. Featuring a wide array of superheroes from the DC Comics universe, and specifically based on the Justice League superhero team, it is a direct sequel to the previous Justice League animated series.
1
A case involving drug lords and murder in South Florida takes a personal turn for undercover detectives Sonny Crockett and Ricardo Tubbs. Unorthodox Crockett gets involved romantically with the Chinese-Cuban wife of a trafficker of arms and drugs, while Tubbs deals with an assault on those he loves.
-1
A frustrated man decides to take justice into his own hands after a plea bargain sets one of his family's killers free. He targets not only the killer but also the district attorney and others involved in the deal.
-2
After having successfully eluded the authorities for years, Hannibal peacefully lives in Italy in disguise as an art scholar. Trouble strikes again when he's discovered leaving a deserving few dead in the process. He returns to America to make contact with now disgraced Agent Clarice Starling, who is suffering the wrath of a malicious FBI rival as well as the media.
-4
After surviving an assault from a squad of hit men, retired CIA black ops agent Frank Moses reassembles his old team for an all-out war. Frank reunites with old Joe, crazy Marvin and wily Victoria to uncover a massive conspiracy that threatens their lives. Only their expert training will allow them to survive a near-impossible mission -- breaking into CIA headquarters.
-5
A post-apocalyptic tale, in which a lone man fights his way across America in order to protect a sacred book that holds the secrets to saving humankind.
0
Aging wrestler Randy "The Ram" Robinson is long past his prime but still ready and rarin' to go on the pro-wrestling circuit. After a particularly brutal beating, however, Randy hangs up his tights, pursues a serious relationship with a long-in-the-tooth stripper, and tries to reconnect with his estranged daughter. But he can't resist the lure of the ring and readies himself for a comeback.
-2
Set in Harlem in 1987, Claireece "Precious" Jones is a 16-year-old African American girl born into a life no one would want. She's pregnant for the second time by her absent father; at home, she must wait hand and foot on her mother, an angry woman who abuses her emotionally and physically. School is chaotic and Precious has reached the ninth grade with good marks and a secret; She can't read.
0
Dave Lizewski is an unnoticed high school student and comic book fan who one day decides to become a super-hero, even though he has no powers, training or meaningful reason to do so.
0
The long-awaited rebirth of the greatest superhero team of all time: Batman, Superman, The Flash, Wonder Woman, Hawkgirl, Green Lantern and Martian Manhunter.
2
When God loses faith in humankind, he sends his legion of angels to bring on the Apocalypse. Humanity's only hope for survival lies in a group of strangers trapped in an out-of-the-way, desert diner with the Archangel Michael.
-3
In Arizona in the late 1800s, infamous outlaw Ben Wade and his vicious gang of thieves and murderers have plagued the Southern Railroad. When Wade is captured, Civil War veteran Dan Evans, struggling to survive on his drought-plagued ranch, volunteers to deliver him alive to the "3:10 to Yuma", a train that will take the killer to trial.
-6
Bruce Wayne, The Batman -- billionaire by day, crime fighter by night -- joined on occasion by Robin and Batgirl.
-1
While the original parodied slasher flicks like Scream, Keenen Ivory Wayans's sequel to Scary Movie takes comedic aim at haunted house movies. A group of students visit a mansion called "Hell House," and murderous high jinks ensue.
-3
A military veteran goes on a journey into the future, where he can foresee his death and is left with questions that could save his life and those he loves.
0
Two bored groundskeepers, Mordecai (a six-foot-tall blue jay) and Rigby (a hyperactive raccoon) are best friends who spend their days trying to entertain themselves by any means necessary, much to the displeasure of their boss. Their everyday pursuits often lead to things spiraling out of control and into the surreal.
2
A reporter in Iraq might just have the story of a lifetime when he meets Lyn Cassady, a guy who claims to be a former member of the U.S. Army's New Earth Army, a unit that employs paranormal powers in their missions.
0
Young hobbit Frodo Baggins, after inheriting a mysterious ring from his uncle Bilbo, must leave his home in order to keep it from falling into the hands of its evil creator. Along the way, a fellowship is formed to protect the ringbearer and make sure that the ring arrives at its final destination: Mt. Doom, the only place where it can be destroyed.
-3
Murderesses Velma Kelly and Roxie Hart find themselves on death row together and fight for the fame that will keep them from the gallows in 1920s Chicago.
0
When Isabelle and Theo invite Matthew to stay with them, what begins as a casual friendship ripens into a sensual voyage of discovery and desire in which nothing is off limits and everything is possible.
-1
Teenage superheroes strive to prove themselves as members of the Justice League.
0
Kazakh journalist Borat Sagdiyev travels to America to make a documentary. As he zigzags across the nation, Borat meets real people in real situations with hysterical consequences. His backwards behavior generates strong reactions around him exposing prejudices and hypocrisies in American culture.
-2
When a serial killer interrupts the fun at the swanky Coconut Pete's Coconut Beach Resort -- a hedonistic island paradise for swingers --- it's up to the club's staff to stop the violence ... or at least hide it!
0
Four pals are stuck in a rut in adulthood: Adam has just been dumped, Lou is a hopeless party animal, Craig is a henpecked husband, and Jacob does nothing but play video games in his basement. But they get a chance to brighten their future by changing their past after a night of heavy drinking in a ski-resort hot tub results in their waking up in 1986.
-2
Each year the population of sleepy Lake Victoria, Arizona explodes from 5,000 to 50,000 residents for the annual Spring Break celebration. But then, an earthquake opens an underwater chasm, releasing an enormous swarm of ancient Piranha that have been dormant for thousands of years, now with a taste for human flesh. This year, there's something more to worry about than the usual hangovers and complaints from locals, a new type of terror is about to be cut loose on Lake Victoria.
-4
When Juli meets Bryce in the second grade, she knows it's true love. After spending six years trying to convince Bryce the same, she's ready to give up - until he starts to reconsider.
2
In the third installment of the Scary Movie franchise, news anchorwoman Cindy Campbell has to investigate mysterious crop circles and killing video tapes, and help the President stop an alien invasion in the process.
-3
Team America World Police follows an international police force dedicated to maintaining global stability. Learning that dictator Kim Jong il is out to destroy the world, the team recruits Broadway star Gary Johnston to go undercover. With the help of Team America, Gary manages to uncover the plan to destroy the world. Will Team America be able to save it in time? It stars… Samuel L Jackson, Tim Robbins, Sean Penn, Michael Moore, Helen Hunt, Matt Damon, Susan Sarandon, George Clooney, Danny Glover, Ethan Hawke, Alec Baldwin… or does it?
-1
A young Greek woman falls in love with a non-Greek and struggles to get her family to accept him while she comes to terms with her heritage and cultural identity.
-1
The first 40 days of the war in Iraq as seen through the eyes of an elite group of U.S. Marines who spearheaded the invasion along with an embedded Rolling Stone reporter. A vivid account of the soldiers and of the forces that guided them in an often-improvised initiative.
2
Quirky and rebellious April Burns lives with her boyfriend in a low-rent New York City apartment miles away from her emotionally distant family. But when she discovers that her mother has a fatal form of breast cancer, she invites the clan to her place for Thanksgiving. While her father struggles to drive her family into the city, April -- an inexperienced cook -- runs into kitchen trouble and must ask a neighbor for help.
-7
Jonathan Ames, a young Brooklyn writer, is feeling lost. He's just gone through a painful break-up, thanks in part to his drinking, can't write his second novel, and carouses too much with his magazine editor. Rather than face reality, Jonathan turns instead to his fantasies — moonlighting as a private detective — because he wants to be a hero and a man of action.
-2
During a trip to Germany to scatter their grandfather's ashes, German-American brothers Todd and Jan discover Beerfest, the secret Olympics of downing stout, and want to enter the contest to defend their family's beer-guzzling honor. Their Old Country cousins sneer at the Yanks' chances, prompting the siblings to return to America to prepare for a showdown the following year.
-1
A woman is kidnapped by a stranger on a routine flight. Threatened by the potential murder of her father, she is pulled into a plot to assist her captor in offing a politician.
-3
In the final days of World War II, the Nazis attempt to use black magic to aid their dying cause. The Allies raid the camp where the ceremony is taking place, but not before they summon a baby demon who is rescued by Allied forces and dubbed "Hellboy". Sixty years later, Hellboy serves the cause of good rather than evil as an agent in the Bureau of Paranormal Research & Defense, along with Abe Sapien - a merman with psychic powers, and Liz Sherman - a woman with pyrokinesis, protecting America against dark forces.
-2
When 4 year old Amanda McCready disappears from her home and the police make little headway in solving the case, the girl's aunt, Beatrice McCready hires two private detectives, Patrick Kenzie and Angie Gennaro. The detectives freely admit that they have little experience with this type of case, but the family wants them for two reasons—they're not cops and they know the tough neighborhood in which they all live.
2
The life of a group of adolescents going through the trials and tribulations of teendom at Degrassi Community School.
0
Six months after the events depicted in The Matrix, Neo has proved to be a good omen for the free humans, as more and more humans are being freed from the matrix and brought to Zion, the one and only stronghold of the Resistance.  Neo himself has discovered his superpowers including super speed, ability to see the codes of the things inside the matrix and a certain degree of pre-cognition. But a nasty piece of news hits the human resistance: 250,000 machine sentinels are digging to Zion and would reach them in 72 hours. As Zion prepares for the ultimate war, Neo, Morpheus and Trinity are advised by the Oracle to find the Keymaker who would help them reach the Source.  Meanwhile Neo's recurrent dreams depicting Trinity's death have got him worried and as if it was not enough, Agent Smith has somehow escaped deletion, has become more powerful than before and has fixed Neo as his next target.
1
A DEA agent investigates the disappearance of a legendary Army ranger drill sergeant and several of his cadets during a training exercise gone severely awry.
1
John McClane is back and badder than ever, and this time he's working for Homeland Security. He calls on the services of a young hacker in his bid to stop a ring of Internet terrorists intent on taking control of America's computer infrastructure.
0
A spoof of buddy cop movies where two very different cops are forced to team up on a new reality based T.V. cop show.
0
After the harrowing death of his partner, detective and best-selling author Alex Cross has retreated to the peace of retirement. But when a brilliant criminal kidnaps a senator's young daughter, Alex is lured back into action. Teamed with the Secret Service agent assigned to protect the missing girl, Alex follows a serpentine trail of clues that leads him to a stunning discovery - the kidnapper wants more than just ransom.
3
The human city of Zion defends itself against the massive invasion of the machines as Neo fights to end the war at another front while also opposing the rogue Agent Smith.
-1
A high school slacker who's rejected by every school he applies to opts to create his own institution of higher learning, the South Harmon Institute of Technology, on a rundown piece of property near his hometown.
-1
400 years into the future, disease has wiped out the majority of the world's population, except one walled city, Bregna, ruled by a congress of scientists. When Æon Flux, the top operative in the underground 'Monican' rebellion, is sent on a mission to kill a government leader, she uncovers a world of secrets.
0
A bullied young boy befriends a young female vampire who lives in secrecy with her guardian.  A remake of the movie “Let The Right One In” which was an adaptation of a book.
1
In Bodeen, Texas, Land Of The Dragon, an indie-rock loving misfit finds a way of dealing with her small-town misery after she discovers a roller derby league in nearby Austin.
-1
Film star Vince Chase navigates the vapid terrain of Los Angeles with a close circle of friends and his trusty agent.
1
Metalocalypse is an American animated television series, created by Brendon Small and Tommy Blacha, which premiered on August 6, 2006 on Adult Swim. The television program centers around the larger than life death metal band Dethklok, and often portrays dark and macabre content, including such subjects as violence, death, and the drawbacks of fame, with extremely hyperbolic black humor; which accounts for the cartoon's consistent TV-MA rating. The show can be seen as both a parody and celebration of heavy metal culture.

The music, written by guitarist/creator Brendon Small, is credited to the band, and is featured in most of the episodes. The animation is often carefully synced to the music, with the chord positions and fingering of the guitar parts shown in some detail.

One of the trademarks of the show is having the usual "bleeps" for extreme profanity replaced by pinch harmonics.
-4
A dramatization of the relationship between heart surgery pioneers Alfred Blalock and Vivien Thomas.
0
Avery, a reclusive older man, has a best friend in his dog, Red. When three teens kill Red without reason, Avery sets out for justice and redemption, attempting to follow the letter of the law. But when the law fails him, and the boys' father clearly defines right and wrong in his own way, Avery must avenge himself by any means possible.
0
Orel is an 11-year-old boy who loves church. His unbridled enthusiasm for piousness and his misinterpretation of religious morals often lead to disastrous results, including self-mutilation and crack addiction. No matter how much trouble he gets into, his reverence always keeps him cheery.
2
David Rice is a man who knows no boundaries, a Jumper, born with the uncanny ability to teleport instantly to anywhere on Earth. When he discovers others like himself, David is thrust into a dangerous and bloodthirsty war while being hunted by a sinister and determined group of zealots who have sworn to destroy all Jumpers. Now, David’s extraordinary gift may be his only hope for survival!
-1
When a Russian mobster sets up a real estate scam that generates millions of pounds, various members of London's criminal underworld pursue their share of the fortune. Various shady characters, including Mr One-Two, Stella the accountant, and Johnny Quid, a druggie rock-star, try to claim their slice.
-2
A man confesses to an FBI agent his family's story of how his religious fanatic father's visions lead to a series of murders to destroy supposed 'demons'.
-2
A man blinded in a childhood accident fights crime using his superhumanly-elevated remaining senses.
-1
When young dockworker Jude leaves Liverpool to find his estranged father in the United States, he is swept up by the waves of change that are re-shaping the nation. Jude falls in love with Lucy, who joins the growing anti-war movement. As the body count in Vietnam rises, political tensions at home spiral out of control and the star-crossed lovers find themselves in a psychedelic world gone mad.
-2
The story of Bill Henrickson and his life in suburban Salt Lake City, balancing the needs of his three wives -- Barb, Nicki and Margene-- their seven kids, three new houses and the opening of his newest hardware store. When disturbing news arrives about Bill's father, he is forced to reconnect with his polygamist parents who live on a fundamentalist compound in rural Utah.
-1
Human cannonballs! Human pinballs! Crashes, smashes and mud splashes! Twenty-four thrill-seekers will compete in the world's largest extreme obstacle course designed to provide the most spills, face plants and wipeouts ever seen on television.
-3
Pushed to the breaking-up point after their latest 'why can't you do this one little thing for me?' argument, Brooke calls it quits with her boyfriend Gary. What follows is a hilarious series of remedies, war tactics, overtures and undermining tricks – all encouraged by the former couple's friends and confidantes …and the occasional total stranger! When neither ex is willing to move out of their shared apartment, the only solution is to continue living as hostile roommates until one of them reaches breaking point.
-1
Lara Croft is tasked by MI6 to find the mythological Pandora's Box, an object from ancient legends which supposedly contains one of the deadliest plagues on Earth, before evil Nobel Prize-winning scientist turned bioterrorist Jonathan Reiss can get his hands on it. Lara ventures to an underwater temple in search of a magical luminous orb, the key to finding Pandora's Box, but after securing it, it is promptly stolen by the villainous leader of a Chinese crime syndicate who in turn plans to sell the orb to Reiss. Lara must recover the box before evil mastermind Reiss uses it to construct a weapon of catastrophic capabilities.
-3
The culmination of nearly 10 years' work and conclusion to Peter Jackson's epic trilogy based on the timeless J.R.R. Tolkien classic, "The Lord of the Rings: The Return of the King" presents the final confrontation between the forces of good and evil fighting for control of the future of Middle-earth. Hobbits Frodo and Sam reach Mordor in their quest to destroy the `one ring', while Aragorn leads the forces of good against Sauron's evil army at the stone city of Minas Tirith.
1
In 1961, Roger Maris and Mickey Mantle played for the New York Yankees. One, Mantle, was universally loved, while the other, Maris, was universally hated. Both men started off with a bang, and both were nearing Babe Ruth's 60 home run record. Which man would reach it?
0
Controversy and legal problems follow Dr. Jack Kevorkian as he advocates assisted suicide.
-2
The series follows the ventures of a Missing Persons Unit of the FBI in New York City.
0
Tim and Eric Awesome Show, Great Job! is an American sketch comedy television series, created by and starring Tim Heidecker and Eric Wareheim, which premiered February 11, 2007 on Cartoon Network's Adult Swim comedy block and ran until May 2010. The program features surrealistic and often satirical humor, public-access television–style musical acts, bizarre faux-commercials, and editing and special effects chosen to make the show appear camp.

The program featured a wide range of actors, spanning from stars such as Will Ferrell, John C. Reilly, David Cross, Bob Odenkirk, Will Forte and Zach Galifianakis, to alternative comedians like Neil Hamburger, to television actors like Alan Thicke, celebrity look-alikes and impressionists.

The creators of the show have described it as "the nightmare version of television."
2
America is on the search for the murderer Eddie Kim. Sean Jones must fly to L.A. to testify in a hearing against Kim. Accompanied by FBI agent Neville Flynn, the flight receives some unexpected visitors.
-2
Waking Life is about a young man in a persistent lucid dream-like state. The film follows its protagonist as he initially observes and later participates in philosophical discussions that weave together issues like reality, free will, our relationships with others, and the meaning of life.
2
A sheriff's deputy fights an alternate universe version of himself who grows stronger with each alternate self he kills.
0
A decaying New England town is the backdrop for its unique citizens, lead by unassuming restaurant manager Miles Roby.
1
Thriller series which tracks five 24-hour periods in a police investigation.
0
The Life & Times of Tim is an HBO comedy animated television series, which premiered on September 28, 2008. The series was created by Steve Dildarian, and is about a hapless man in his mid-20's named Tim who lives in New York City with his girlfriend Amy. Throughout the series, Tim constantly finds himself in increasingly awkward situations in both his work and personal life.

The first season aired in 2008 and has since been aired in numerous countries, and has developed a cult following. The second season debuted on February 19, 2010 on HBO. On June 4, 2010, HBO announced it was canceling the show. There were rumors that it was going to be picked up by another network. On the 16th of August, 2010, it was announced HBO had reversed their original decision to cancel the show, and as a result, a third season was ordered. Season 3 of The Life and Times of Tim premiered on December 16, 2011. The first season was released on DVD on February 9, 2010, the second season was released on DVD on December 13, 2011, and the third season was released on DVD on December 18, 2012.

On April 20, 2012, HBO cancelled the series after three seasons.

The theme song is "I'll Never Get Out of This World Alive" performed by country music star Hank Williams.
-2
Valerie Cherish was once TV's "It Girl." Now it's a different story - and she'll do anything to get back in the spotlight. Desperate for a comeback, she agrees to star in a new reality TV series, allowing cameras to follow her every move as she lands a part on a new network sitcom.
0
Taking numbers instead of names, five extraordinary 10-year-olds form a covert team called the Kids Next Door with one dedicated mission: to free all children from the tyrannical rule of adults.
2
Remember that really cute girl/guy who said they'd call – and didn't? Maybe they lost your number. Maybe they're in the hospital. Maybe they're awed by your looks, brains or success. Or maybe... They're just not that into you.
2
Katherine Watson is a recent UCLA graduate hired to teach art history at the prestigious all-female Wellesley College, in 1953. Determined to confront the outdated mores of society and the institution that embraces them, Katherine inspires her traditional students, including Betty and Joan, to challenge the lives they are expected to lead.
1
Andrew returns to his hometown for the funeral of his mother, a journey that reconnects him with past friends. The trip coincides with his decision to stop taking his powerful antidepressants. A chance meeting with Sam - a girl also suffering from various maladies - opens up the possibility of rekindling emotional attachments, confronting his psychologist father, and perhaps beginning a new life.
-1
Frederick Abberline is an opium-huffing inspector from Scotland Yard who falls for one of Jack the Ripper's prostitute targets in this Hughes brothers adaption of a graphic novel that posits the Ripper's true identity.
-1
In 1985, two couples' relationships dissolve amidst the backdrop of Reagan era politics, the spreading AIDS epidemic, and a rapidly changing social and political climate.
-1
Upon moving into the run-down Spiderwick Estate with their mother, twin brothers Jared and Simon Grace, along with their sister Mallory, find themselves pulled into an alternate world full of faeries and other creatures.
0
Have You Seen Andy? is a personal story of a childhood friendship abruptly ended by the tragic abduction of a young boy, Andy Puglisi. With special access and a unique perspective, Melanie Perkins, Andy's childhood friend, re-examines the day of his disappearance 30 years ago, reviews the police investigation and uncovers new and startling information, prompting the long-'cold' case to be reactivated.
-3
A representative of an alien race that went through drastic evolution to survive its own climate change, Klaatu comes to Earth to assess whether humanity can prevent the environmental damage they have inflicted on their own planet. When barred from speaking to the United Nations, he decides humankind shall be exterminated so the planet can survive.
-2
A young woman fights the spirit that is slowly taking possession of her.
-1
Lt. Col. Michael Strobl, a volunteer military escort accompanies the body of Lance Cpl. Chance Phelps to his hometown in Wyoming.
0
After a small misunderstanding aboard an airplane escalates out of control, timid businessman Dave Buznik is ordered by the court to undergo anger management therapy at the hands of specialist Dr. Buddy Rydell. But when Buddy steps up his aggressive treatment by moving in, Dave goes from mild to wild as the unorthodox treatment wreaks havoc with his life.
-8
In 2000, the election of the U.S. Presidential boiled down to a few precious votes in the state of Florida — and a recount that would add "hanging chad" to every American's vocabulary.
1
Eddie, the 40-year-old confirmed bachelor finally says "I do" to the beautiful and sexy Lila. But during their honeymoon in Mexico, the woman of his dreams turns out to be a total nightmare, and the guy who could never pull the trigger realizes he’s jumped the gun.
1
The son of a sailor, 5-year-old Sosuke, lives a quiet life on an oceanside cliff with his mother Lisa. One fateful day, he finds a beautiful goldfish trapped in a bottle on the beach and upon rescuing her, names her Ponyo. But she is no ordinary goldfish.
0
When one of his former colleagues is murdered, the outlawed but no less determined masked vigilante Rorschach sets out to uncover a plot to kill and discredit all past and present superheroes. As he reconnects with his former crime-fighting legion — a disbanded group of retired superheroes, only one of whom has true powers — Rorschach glimpses a wide-ranging and disturbing conspiracy with links to their shared past and catastrophic consequences for the future.
-6
The story follows the adventures of Aang, a young successor to a long line of Avatars, who must put his childhood ways aside and stop the Fire Nation from enslaving the Water, Earth and Air nations.
0
Tremé takes its name from a neighborhood of New Orleans and portrays life in the aftermath of the 2005 hurricane. Beginning three months after Hurricane Katrina, the residents of New Orleans, including musicians, chefs, Mardi Gras Indians, and other New Orleanians struggle to rebuild their lives, their homes and their unique culture.
-1
Restless and ready for an adventure, four suburban bikers leave the safety of their subdivision and head out on the open road. But complications ensue when they cross paths with an intimidating band of New Mexico bikers known as the Del Fuegos.
-2
Jerry Shaw and Rachel Holloman are two strangers whose lives are suddenly thrown into turmoil by a mysterious woman they have never met. Threatening their lives and family, the unseen caller uses everyday technology to control their actions and push them into increasing danger. As events escalate, Jerry and Rachel become the country's most-wanted fugitives and must figure out what is happening to them.
-6
A newly married couple discovers disturbing, ghostly images in photographs they develop after a tragic accident. Fearing the manifestations may be connected, they investigate and learn that some mysteries are better left unsolved.
-2
In Imperial Beach, California, the Yosts—a dysfunctional family of surfers—intersect with two new arrivals to the community: a dim-but-wealthy surfing enthusiast and man spurned by the Yosts years ago.
1
Inspired by true events, this film takes place in Rwanda in the 1990s when more than a million Tutsis were killed in a genocide that went mostly unnoticed by the rest of the world. Hotel owner Paul Rusesabagina houses over a thousand refuges in his hotel in attempt to save their lives.
-3
A shy woman, endowed with the speed, reflexes, and senses of a cat, walks a thin line between criminal and hero, even as a detective doggedly pursues her, fascinated by both of her personas
-1
A New York writer on sex and love is finally getting married to her Mr. Big. But her three best girlfriends must console her after one of them inadvertently leads Mr. Big to jilt her.
3
A pregnant Colombian teenager becomes a drug mule to make some desperately needed money for her family.
-1
Set in South Carolina in 1964, this is the tale of Lily Owens a 14 year-old girl who is haunted by the memory of her late mother. To escape her lonely life and troubled relationship with her father, Lily flees with Rosaleen, her caregiver and only friend, to a South Carolina town that holds the secret to her mother's past.
-3
Gus Van Sant tells the story of a young African American man named Jamal who confronts his talents while living on the streets of the Bronx. He accidentally runs into an old writer named Forrester who discovers his passion for writing. With help from his new mentor Jamal receives a scholarship to a private school.
2
Wife and mother Valerie Plame has a double life as a CIA operative, hiding her vocation from family and friends. Her husband, Joseph Wilson, writes a controversial article in The New York Times, refuting stories about the sale of enriched uranium to Iraq, Then Valerie's secret work and identity is leaked to the press. With her cover blown and other people endangered, Valerie's career and personal life begin to unravel.
-2
Scooby-Doo and the Mystery, Inc. gang are launched into the 21st century, with new mysteries to solve.
-2
Follows three social outcasts -- two geeks and a cynic -- as they attempt to navigate a time-travel conundrum in the middle of a British pub. Faris plays a girl from the future who sets the adventure in motion.
-1
Filmmaker Irene Taylor Brodsky aims her camera at her own life to capture the remarkable transformation of her deaf parents, who decided to undergo a life-changing procedure to restore their hearing after spending 65 years in silence. Chronicling her parents' experiences over their first year of having sound in their lives, Brodsky tells a deeply personal tale that moved viewers to bestow it with the Documentary Audience Award at Sundance 2007.
1
A drama centered on the relationship between Elliot, a strange and wealthy Londoner, and Joe, a teenager who takes care of an empty house Elliot owns.
0
The exploits of the Grim Reaper, who has been forced into being the best friend of two children. A spin-off of the show Grim & Evil.
-3
Set within the highly charged confines of individual psychotherapy sessions and centering around Dr. Paul Weston, a psychotherapist who exhibits an insightful, reserved demeanor while treating his patients—but displays a crippling insecurity while counseled by his own therapist.
-1
Alternately candid, funny, poignant and heartbreaking, this documentary focuses on a cross-section of men and women of all ages who invoke the exact moment in their lives--whether as toddlers, grade-schoolers, teens or young adults--when they knew, once and for all, that they were gay. Inspired by the work of writer Robert Trachtenberg, award-winning filmmakers Fenton Bailey and Randy Barbato set out across the country to interview these men and woman of all ages and walks of life and ask them a single, simple question: When did you know?
0
Tells the parallel stories of nine-year-old Carlitos and his mother, Rosario. In the hopes of providing a better life for her son, Rosario works illegally in the U.S. while her mother cares for Carlitos back in Mexico.
1
Donna's senior prom is supposed to be the best night of her life, though a sadistic killer from her past has different plans for her and her friends.
0
What does it take to become a Stepford wife, a woman perfect beyond belief? Ask the Stepford husbands, who've created this high-tech, terrifying little town.
1
A struggling songwriter named Dave Seville finds success when he comes across a trio of singing chipmunks: mischievous leader Alvin, brainy Simon, and chubby, impressionable Theodore.
0
When 10-year-old Ben Tennyson discovers a mysterious device, he gains the power to change into ten different alien heroes, each with uniquely awesome powers. With such abilities at his disposal, Ben realizes a greater responsibility to help others and stop evildoers, but that doesn't mean he's above a little superpowered mischief now and then.
0
A husband-and-wife team play detective, but not in the traditional sense. Instead, the happy duo helps others solve their existential issues, the kind that keep you up at night, wondering what it all means.
0
The Caped Crusader is teamed up with Blue Beetle, Green Arrow, Aquaman and countless others in his quest to uphold justice.
1
English aristocrat Lara Croft is skilled in hand-to-hand combat and in the middle of a battle with a secret society. The shapely archaeologist moonlights as a tomb raider to recover lost antiquities and meets her match in the evil Powell, who's in search of a powerful relic.
1
En route to the honeymoon of William Riker to Deanna Troi on her home planet of Betazed, Captain Jean-Luc Picard and the crew of the U.S.S. Enterprise receives word from Starfleet that a coup has resulted in the installation of a new Romulan political leader, Shinzon, who claims to seek peace with the human-backed United Federation of Planets. Once in enemy territory, the captain and his crew make a startling discovery: Shinzon is human, a slave from the Romulan sister planet of Remus, and has a secret, shocking relationship to Picard himself.
-3
When the Rugrats find themselves stranded on a deserted island, they meet the Thornberrys, a family who agrees to help them escape.
0
Ex-con Alex plans to flee to the South with his girl after a robbery. But something terrible happens and revenge seems inevitable.
-4
Violinist Sydney Wells was accidentally blinded by her sister Helen when she was five years old. She submits to a cornea transplantation, and while recovering from the operation, she realizes that she is seeing dead people.
0
Frank Martin puts the driving gloves on to deliver Valentina, the kidnapped daughter of a Ukranian government official, from Marseilles to Odessa on the Black Sea. En route, he has to contend with thugs who want to intercept Valentina's safe delivery and not let his personal feelings get in the way of his dangerous objective.
-2
After her husband runs off with his secretary, Terry Wolfmeyer is left to fend for herself -- and her four daughters. As she hits rock bottom, Terry finds a friend and drinking buddy in next-door neighbor Denny, a former baseball player. As the two grow closer, and her daughters increasingly rely on Denny, Terry starts to have reservations about where their relationship is headed.
0
See Dr. Steve learn about restaurants, spend time with his family, conquer his fears, and more. Featuring guest appearances by Jan Skylar, Wayne Skylar, and David Liebe Hart.
-1
Squidbillies is an animated television series about the Cuylers, an impoverished family of anthropomorphic hillbilly mud squids living in the Appalachian region of Georgia's mountains. The show is produced by Williams Street Studios for the Adult Swim programming block of Cartoon Network and premiered on October 16, 2005. It is written by Dave Willis, co-creator of Aqua Teen Hunger Force, and Jim Fortier, previously of The Brak Show, both of whom worked on the Adult Swim series Space Ghost Coast to Coast. The animation is done by Awesome Incorporated, with background design by Ben Prisk.
1
Morris Buttermaker is a burned-out minor league baseball player who loves to drink and can't keep his hands to himself. His long-suffering lawyer arranges for him to manage a local Little League team, and Buttermaker soon finds himself the head of a rag-tag group of misfit players. Through unconventional team-building exercises and his offbeat coaching style, Buttermaker helps his hapless Bears prepare to meet their rivals, the Yankees.
-2
Erika Kohut, a sexually repressed piano teacher living with her domineering mother, meets a young man who starts romantically pursuing her.
0
Four best friends (Tibby, Lena, Carmen & Bridget) who buy a mysterious pair of pants that fits each of them, despite their differing sizes, and makes whoever wears them feel fabulous. When faced with the prospect of spending their first summer apart, the pals decide they'll swap the pants so that each girl in turn can enjoy the magic.
3
Three stories told simultaneously in ninety minutes of real time: a Republican Senator who's a presidential hopeful gives an hour-long interview to a skeptical television reporter, detailing a strategy for victory in Afghanistan; two special forces ambushed on an Afghani ridge await rescue as Taliban forces close in; a poli-sci professor at a California college invites a student to re-engage.
1
A biography of artist Frida Kahlo, who channeled the pain of a crippling injury and her tempestuous marriage into her work.
-2
Spike Lee returns to New Orleans five years after Katrina to see how the ambitious plans to reinvent the Crescent City are playing out.
1
Children who create imaginary friends usually take care of them until they are 7-8 years old. Imaginary friends, left on their own after this event, continue to live in this home founded by old Madam Foster.
-2
A newly married couple who, in the process of starting a family, learn many of life's important lessons from their trouble-loving retriever, Marley. Packed with plenty of laughs to lighten the load, the film explores the highs and lows of marriage, maturity and confronting one's own mortality, as seen through the lens of family life with a dog.
2
When an elite assassin marries a beautiful computer whiz after a whirlwind romance, he gives up the gun and settles down with his new bride. That is, until he learns that someone from his past has put a contract out on his life.
1
Garfield, the fat, lazy, lasagna lover, has everything a cat could want. But when Jon, in an effort to impress the Liz - the vet and an old high-school crush - adopts a dog named Odie and brings him home, Garfield gets the one thing he doesn't want. Competition.
-1
During a wild vacation in Las Vegas, career woman Joy McNally and playboy Jack Fuller come to the sober realization that they have married each other after a night of drunken abandon. They are then compelled, for legal reasons, to live life as a couple for a limited period of time. At stake is a large amount of money.
-3
Superman returns to discover his 5-year absence has allowed Lex Luthor to walk free, and that those he was closest to felt abandoned and have moved on. Luthor plots his ultimate revenge that could see millions killed and change the face of the planet forever, as well as ridding himself of the Man of Steel.
-2
"The Laramie Project" is set in and around Laramie, Wyoming, in the aftermath of the murder of 21-year-old Matthew Shepard. To create the stage version of "The Laramie Project," the eight-member New York-based Tectonic Theatre Project traveled to Laramie, Wyoming, recording hours of interviews with the town's citizens over a two-year period. The film adaptation dramatizes the troupe's visit, using the actual words from the transcripts to create a portrait of a town forced to confront itself.
-2
Treasure hunter Ben "Finn" Finnegan has sunk his marriage to Tess and his trusty boat in his obsessive quest to find the legendary Queen's Dowry. When he finds a vital clue that may finally pinpoint the treasure's whereabouts, he drags Tess and her boss, billionaire Nigel Honeycutt, along on the hunt. But Finn is not the only one interested in the gold; his former mentor-turned-enemy Moe Fitch, hired by rapper-turned-gangster Bigg Bunny, will stop at nothing to beat him to it.
2
Alex, Marty, and other zoo animals find a way to escape from Madagascar when the penguins reassemble a wrecked airplane. The precariously repaired craft stays airborne just long enough to make it to the African continent. There the New Yorkers encounter members of their own species for the first time. Africa proves to be a wild place, but Alex and company wonder if it is better than their Central Park home.
1
Produced and directed by 11-time Emmy Award-winner Jon Alpert, this 64-minute verite documentary takes an unforgettable look inside the 86th Combat Support Hospital (CSH), the U.S. Army's premier medical facility in Iraq and former site of one of Saddam Hussein?s elite medical facilities. Shot over two months in the summer of 2005, the film puts a human face on the war's cold casualty statistics, as doctors and nurses fight to save the lives of wounded soldiers who are Medevaced (helicoptered) in a numbingly routine basis.
2
Frisky Dingo is an American animated cartoon series created by Adam Reed and Matt Thompson for Adult Swim. The series revolved around the conflict between a supervillain named Killface and a superhero named Awesome X, alias billionaire Xander Crews, and much of the show's humor focuses on parodying superhero and action movie clichés. It debuted on October 16, 2006 and ended its first season on January 22, 2007; the second season premiered on August 26, 2007 and ended on March 23, 2008. A third season was in development, but in the absence of a renewal contract from Adult Swim, pre-production ceased. The production company itself, 70/30 Productions, subsequently went out of business in January 2009.

A spin-off show, The Xtacles, premiered on November 9, 2008, but only two episodes were aired prior to the production company's closure.
0
Two best friends become rivals when their respective weddings are accidentally booked for the same day.
0
An eccentric warden and his staff run a bizarre maximum security prison full of dangerous prisoners.
-5
Based on the life stories of the eccentric aunt and first cousin of Jackie Onassis raised as Park Avenue débutantes but who withdrew from New York society, taking shelter at their Long Island summer home, "Grey Gardens." As their wealth and contact with the outside world dwindled, so did their grasp on reality.
-1
A lonely boy discovers a mysterious egg that hatches a sea creature of Scottish legend.
-2
Tells the story of a woman who gets involved in politics with no previous contact with world events.
0
The historical recreation of the 1942 Wannsee Conference, in which Nazi and SS leaders gathered in a Berlin suburb to discuss the "Final Solution to the Jewish Question". Led by SS-General Reinhard Heydrich, this group of high ranking German officials came to the historic and far reaching decision that the Jews of Europe were to be exterminated in what would come to be known as the Holocaust.
1
After serving jail time for a mysterious crime, Bill and Karl get out of jail and become preoccupied with figuring out who turned them in to the police. On top of that, the "family business" is on the rocks, and the motley crew of criminals who operate out of Down Terrace aren't feeling terribly trusting of one another. It might look like an ordinary house, but at Down Terrace, the walls are closing in..
-2
The residents of a rural mining town discover that an unfortunate chemical spill has caused hundreds of little spiders to mutate overnight to the size of SUVs. It's then up to mining engineer Chris McCormack and Sheriff Sam Parker to mobilize an eclectic group of townspeople, including the Sheriff's young son, Mike, her daughter, Ashley, and paranoid radio announcer Harlan, into battle against the bloodthirsty eight-legged beasts.
-3
A powerful drama of soaring ambition and shattered dreams that takes a provocative insider's look at the way the USA goes to war—as seen from inside the LBJ White House leading up to and during the Vietnam War.
1
When rancher and single mother of two Maggie Gilkeson sees her teenage daughter, Lily, kidnapped by Apache rebels, she reluctantly accepts the help of her estranged father, Samuel, in tracking down the kidnappers. Along the way, the two must learn to reconcile the past and work together if they are going to have any hope of getting Lily back before she is taken over the border and forced to become a prostitute.
0
A prehistoric epic that follows a young mammoth hunter's journey through uncharted territory to secure the future of his tribe.
1
Even though he's the only black student at the elite Palmetto Grove Academy, star basketball player and future NBA hopeful Odin James has the adoration of all, including the team's coach and the Dean's beautiful daughter Desi. Odin's troubled friend Hugo, the coach's son, is deeply resentful of his father's preference of Odin on and off the court. When Hugo plots a diabolical scheme to sow the seed of mistrust between O and Desi, it sets in motion a disturbing chain of events which erupts into a firestorm of breathtaking intensity.
-2
Steven Okazaki presents a deeply moving look at the painful legacy of the first -- and hopefully last -- uses of nuclear weapons in war. Featuring interviews with fourteen atomic bomb survivors - many who have never spoken publicly before - and four Americans intimately involved in the bombings, White Light/Black Rain provides a detailed exploration of the bombings and their aftermath.
-1
This film, adapted from a work of fiction by author Tracy Chevalier, tells a story about the events surrounding the creation of the painting "Girl With A Pearl Earring" by 17th century Dutch master Johannes Vermeer. A young peasant maid working in the house of painter Johannes Vermeer becomes his talented assistant and the model for one of his most famous works.
4
Rachel Keller must prevent evil Samara from taking possession of her son's soul.
-1
Jerry Welbach, a reluctant bagman, has been given two ultimatums: The first is from his mob boss to travel to Mexico and retrieve a priceless antique pistol, known as "the Mexican"... or suffer the consequences. The second is from his girlfriend Samantha to end his association with the mob. Jerry figures alive and in trouble with Samantha is better than the more permanent alternative, so he heads south of the border.
-2
Commentator-comic Bill Maher plays devil's advocate with religion as he talks to believers about their faith. Traveling around the world, Maher examines the tenets of Christianity, Judaism and Islam and raises questions about homosexuality, proof of Christ's existence, Jewish Sabbath laws, violent Muslim extremists.
-1
HBO miniseries about the the public and private lives of the later years of Queen Elizabeth I.
0
In 1914, the Mexican revolutionary Pancho Villa invites studios to shoot his actual battles against Porfírio Diaz army to raise funds for financing guns and ammunition. The Mutual Film Corporation, through producer D.W. Griffith, interests for the proposition and sends the filmmaker Frank Thayer to negotiate a contract with Pancho Villa himself.
1
An Oscar nominated documentary about a middle-class American family who is torn apart when the father Arnold and son Jesse are accused of sexually abusing numerous children. Director Jarecki interviews people from different sides of this tragic story and raises the question of whether they were rightfully tried when they claim they were innocent and there was never any evidence against them.
0
When Dustin's girlfriend, Alexis, breaks up with him, he employs his best buddy, Tank, to take her out on the worst rebound date imaginable in the hopes that it will send her running back into his arms. But when Tank begins to really fall for Alexis, he finds himself in an impossible position.
-5
An original mix of fiction and reality illuminates the life of comic book hero everyman Harvey Pekar.
0
A mother and daughter dispute is resolved by the "Yaya sisterhood" - long time friends of the mother.
-1
One part vigilante, one part criminal kingpin, Red Hood begins cleaning up Gotham with the efficiency of Batman, but without following the same ethical code.
0
This made-for-TV movie dramatizes the historic boycott of public buses in the 1950s, led by civil rights leader Dr. Martin Luther King, Jr.
1
The heroic Leonidas, armed with nothing but leather underwear and a cape, leads a ragtag group of 13 Spartans to defend their homeland against the invading Persians (whose ranks include Ghost Rider, Rocky Balboa, the Transformers, and a hunchbacked Paris Hilton). No one is safe when the Spartans take on the biggest icons in pop culture!
2
The life of two women and their families in a small provincial town of Salta, Argentina.
0
Four young women continue the journey toward adulthood that began with "The Sisterhood of the Traveling Pants." Now three years later, these lifelong friends embark on separate paths for their first year of college and the summer beyond, but remain in touch by sharing their experiences with each other.
0
Nerdy high school senior Dizzy Harrison has finally gotten lucky -- after purposely getting expelled, he takes lessons in 'badass cool' from a convict and enrolls at a new school. But can he keep up the ruse?
1
Jack Shepard is an out-of-shape auto shop owner, far removed from the man who once protected the world's freedom. Reluctantly called back into action by the government, Jack is tasked with turning a ragtag group of kids with special powers into a new generation of superheroes to save the world from certain destruction.
-1
After settling in the tiny Australian town of Walkabout Creek with his significant other and his young son, Mick "Crocodile" Dundee is thrown for a loop when a prestigious Los Angeles newspaper offers his honey a job. The family migrates back to the United States, and Croc and son soon find themselves learning some lessons about American life -- many of them inadvertent
2
Xavier: Renegade Angel is an American CGI fantasy-comedy television series created by John Lee, Vernon Chatman, Jim Tozzi and Alyson Levy. Lee and Chatman are also the creators of Wonder Showzen. The show was produced by PFFR, with animation by Cinematico. It premiered at midnight on November 4, 2007, on Adult Swim, and November 1, 2007, on the Adult Swim website.

Xavier features a style characterized by a nonlinear, incoherent plot following the humorous musings of an itinerant humanoid pseudo-shaman and spiritual seeker named Xavier. The show is known for its ubiquitous use of ideologically critical black comedy, surrealist and absurdist humor presented through a psychedelic, New Age lens. The program is also normally rated TV-MA for intense, graphic, often bloody violence, as well as strong sexual content, use of racially/ethnically offensive language, grotesque depictions and content that is considered "too morbid and too incomprehensible for young viewers"

Xavier: Renegade Angel premiered on November 4, 2007, and ended on April 16, 2009, with a total of 20 episodes, as a result of being cancelled due to low ratings.
-1
Chris Rock, the three-time Emmy Award-winner, comedian, actor, and host of HBO's acclaimed The Chris Show, stars in his fourth solo stand-up special for HBO, Chris Rock: Never Scared. Featuring his unique, insightful, and hilarious views on a host of social, political and, celebrity issues, Rock confirms his stature as the leading comic of our time.
2
When Vetter's wife is killed in a botched hit organized by Diablo, he seeks revenge against those responsible. But in the process, Vetter and Hicks have to fight their way up the chain to get to Diablo but it's easier said than done when all Vetter can focus on is revenge.
-2
Set in northern Australia before World War II, an English aristocrat who inherits a sprawling ranch reluctantly pacts with a stock-man in order to protect her new property from a takeover plot. As the pair drive 2,000 head of cattle over unforgiving landscape, they experience the bombing of Darwin by Japanese forces firsthand.
-2
Two young gentlemen living in 1890s England use the same pseudonym ("Ernest") on the sly, which is fine until they both fall in love with women using that name, which leads to a comedy of mistaken identities...
0
Xander Cage is your standard adrenaline junkie with no fear and a lousy attitude. When the US Government "recruits" him to go on a mission, he's not exactly thrilled. His mission: to gather information on an organization that may just be planning the destruction of the world, led by the nihilistic Yorgi.
-1
This controversial work, created and performed by Eve Ensler, debuted off-off-Broadway in 1996 and soon rode a wave of national acclaim. Now, the intimacy of Ensler's original show has been lovingly brought to the screen. Capturing her unique performance, the film also follows Ensler as she explores the creative impetus behind the monologues and conducts a series of new interviews as inspiring as those that brought about the original work
5
A valedictorian's declaration of love for a high-school cheerleader launches a night of revelry, reflection and romance for a group of graduating seniors.
1
12 oz. Mouse revolves around Mouse Fitzgerald, nicknamed "Fitz", an alcoholic mouse who performs odd jobs so he can buy more beer. Together with his chinchilla companion Skillet, Fitz begins to recover suppressed memories that he once had a wife and a child who have now vanished. This leads him to seek answers about his past and the shadowy forces that seem to be manipulating his world.
0
"Which Way Home" is a feature documentary film that follows unaccompanied child migrants, on their journey through Mexico, as they try to reach the United States.
0
A young boy who grew up inside a talking whale sets sail for magical Candied Island, accompanied by Capt. K'nuckles, a crusty old pirate.
1
Barry B. Benson, a bee who has just graduated from college, is disillusioned at his lone career choice: making honey. On a special trip outside the hive, Barry's life is saved by Vanessa, a florist in New York City. As their relationship blossoms, he discovers humans actually eat honey, and subsequently decides to sue us.
-2
Tom Goes to the Mayor is an American animated television series created by Tim Heidecker and Eric Wareheim for Cartoon Network's late night programming block, Adult Swim. It premiered on November 14, 2004 and ended on September 25, 2006, with a total of thirty episodes.
0
A killer is on the loose, and an FBI agent sifts through clues and learns that the bloodthirsty felon's victims of choice are other serial killers.
-5
A husband and wife reevaluate their marriage after their closest friends, another couple decide to split up after twelve years.
-1
For over 60 years, Studs Terkel elevated the voices and experiences of everyday Americans through his skillful interviews on radio, in books and on TV. This documentary takes a fond and illuminating look back at one of America's most influential authors and media personalities whose curiosity about people never dimmed over the course of a long and brilliant career.
5
Desperate times call for desperate measures and Ray Drecker's situation couldn't be much tougher. The former high school sports legend turned middle-aged high school basketball coach is divorced and struggling to provide for his kids when his already run-down house catches fire. Looking to take on a second job, Ray decides to exploit his best asset in a last-ditch attempt to change his fortunes.
-3
Men of a Certain Age is an American comedy-drama television series, which premiered on TNT on December 7, 2009. The hour-long program stars Ray Romano, Andre Braugher and Scott Bakula as three best friends in their late forties dealing with the realities of middle age. It won a Peabody Award in 2010. On July 15, 2011, TNT cancelled the series after two seasons.
3
When real estate developer Dan Sanders finalizes plans to level a swath of pristine Oregon forest to make way for a soulless housing subdivision, a band of woodland creatures rises up to throw a monkey wrench into the greedy scheme. Just how much mischief from the furry critters can the businessman take before he calls it quits?
-2
When a young man agrees to housesit for his boss, he thinks it'll be the perfect opportunity to get close to the woman he desperately has a crush on – his boss's daughter. But he doesn't plan on the long line of other houseguests that try to keep him from his mission. And he also has to deal with the daughter's older brother, who's on the run from local drug dealers.
-1
A biopic of Temple Grandin, an autistic woman who has become one of top scientists in humane livestock handling.
2
Tom Ludlow is a disillusioned L.A. Police Officer, rarely playing by the rules and haunted by the death of his wife. When evidence implicates him in the execution of a fellow officer, he is forced to go up against the cop culture he's been a part of his entire career, ultimately leading him to question the loyalties of everyone around him.
0
Defiant young activists take the women's suffrage movement by storm, putting their lives at risk to help American women win the right to vote.
0
Athletic 12-year-old Maddy (Kristen Stewart) shares an enthusiasm for mountain climbing with her father, Tom (Sam Robards). Unfortunately, Tom suffers a spinal injury while scaling Mount Everest, and his family is unable to afford the surgery that can save him. Maddy decides to get the money for her father's operation by robbing a high-security bank. She relies on her climbing skills and help from her geeky friends (Max Thieriot, Corbin Bleu) to pull it off successfully.
1
14-year-old Arrietty and the rest of the Clock family live in peaceful anonymity as they make their own home from items "borrowed" from the house's human inhabitants. However, life changes for the Clocks when a human boy discovers Arrietty.
1
The adventures of Mma Ramotswe, a Motswana woman who starts Botswana's first female-owned detective agency.
0
A heroic version of Lex Luthor from an alternate universe appears to recruit the Justice League to help save his Earth from the Crime Syndicate, an evil version of the League. What ensues is the ultimate battle of good versus evil in a war that threatens both planets and, through a devious plan launched by Batman's counterpart Owlman, puts the balance of all existence in peril.
-3
This riveting and provocative drama series explores issues of intimacy within the lives of three couples and the therapist they share.
-1
Arrogant, self-centered movie director Guido Contini finds himself struggling to find meaning, purpose, and a script for his latest film endeavor. With only a week left before shooting begins, he desperately searches for answers and inspiration from his wife, his mistress, his muse, and his mother.
-3
A dramatisation that follows Tony Blair's journey from political understudy waiting in the wings of the world arena to accomplished prime minister standing confidently in the spotlight of centre stage. It is a story about relationships, between two powerful men (Blair and Bill Clinton), two powerful couples, and husbands and wives.
3
A look at the creation of former Hollywood madam Heidi Fleiss' latest venture, a Nevada-based male brothel called Heidi's Stud Farm, which caters to female clientèle.
0
Placed in a foster home that doesn't allow pets, 16-year-old Andi and her younger brother, Bruce, turn an abandoned hotel into a home for their dog. Soon other strays arrive, and the hotel becomes a haven for every orphaned canine in town. But the kids have to do some quick thinking to keep the cops off their tails.
0
A story of two love affairs. A father's love for his five sons. And one son's love for his father, a love so strong it compels him to live a lie. That son is Zac Beaulieu, born on the 25th of December 1960, different from all his brothers, but desperate to fit in. During the next 20 years, life takes Zac on a surprising and unexpected journey that ultimately leads him to accept his true nature and, even more importantly, leads his father to love him for who he really is.
5
The irreverent host of a political satire talk show decides to run for president and expose corruption in Washington. His stunt goes further than he expects when he actually wins the election, but a software engineer suspects that a computer glitch is responsible for his surprising victory.
-2
FBI agent Jack Crawford is out for revenge when his partner is killed and all clues point to the mysterious assassin Rogue. But when Rogue turns up years later to take care of some unfinished business, he triggers a violent clash of rival gangs. Will the truth come out before it's too late? And when the dust settles, who will remain standing?
-11
On the night of 16 July 1942, ten year old Sarah and her parents are being arrested and transported to the Velodrome d'Hiver in Paris where thousands of other jews are being sent to get deported. Sarah however managed to lock her little brother in a closet just before the police entered their apartment. Sixty years later, Julia Jarmond, an American journalist in Paris, gets the assignment to write an article about this raid, a black page in the history of France. She starts digging archives and through Sarah's file discovers a well kept secret about her own in-laws.
1
A black police detective must solve a strange case of a kidnapped boy and deal with a big racial protest.
-2
After one short date, a brilliant crossword constructor decides that a CNN cameraman is her true love. Because the cameraman's job takes him hither and yon, she crisscrosses the country, turning up at media events as she tries to convince him they are perfect for each other.
3
Darius Stone's criminal record and extreme sports obsession make him the perfect candidate to be the newest XXX agent. He must save the U.S. government from a deadly conspiracy led by five-star general and Secretary of Defense George Deckert.
0
Marisa Ventura is a struggling single mom who works at a posh Manhattan hotel and dreams of a better life for her and her young son. One fateful day, hotel guest and senatorial candidate Christopher Marshall meets Marisa and mistakes her for a wealthy socialite. After an enchanting evening together, the two fall madly in love. But when Marisa's true identity is revealed, issues of class and social status threaten to separate them. Can two people from very different worlds overcome their differences and live happily ever after?
0
Vicious Circle captures the hottest comic in America in his first HBO comedy event, a unique "in the round" performance before his hometown Boston fans.
0
FBI agent Malcolm Turner goes back undercover as Big Momma, a slick-talking, slam-dunking Southern granny with attitude to spare! Now this granny must play nanny to three dysfunctional upper class kids in order to spy on their computer hacked dad.
0
A British science fiction television programme that was produced by BBC Cymru Wales for CBBC, created by Russell T Davies and starring Elisabeth Sladen. It was a spin-off of the long-running science fiction show Doctor Who and focused on the adventures of Sarah Jane Smith, an investigative journalist who, as a young woman had numerous adventures across time and space with the Doctor.
-2
A young man awakens from a four-year coma to hear that his once virginal high-school sweetheart has since become a centerfold in one of the world's most famous men's magazines. He and his sex-crazed best friend decide to take a cross-country road trip in order to crash a party at the magazine's legendary mansion headquarters and win back the girl.
4
On the mystical island of Themyscira, a proud and fierce warrior race of Amazons have raised a daughter of untold beauty, grace and strength: Princess Diana. When an Army fighter pilot, Steve Trevor, crash-lands on the island, the rebellious and headstrong Diana defies Amazonian law by accompanying Trevor back to civilization.
1
Accomplished sailor Charlie St. Cloud has the adoration of his mother Claire and his little brother Sam, as well as a college scholarship that will lead him far from his sleepy Pacific Northwest hometown. But his bright future is cut short when a tragedy strikes and takes his dreams with it. After his high-school classmate Tess returns home unexpectedly, Charlie grows torn between honoring a promise he made four years earlier and moving forward with newfound love. And as he finds the courage to let go of the past for good, Charlie discovers the soul most worth saving is his own.
6
When Earth astronaut Capt. Chuck Baker arrives on Planet 51 -- a world reminiscent of American suburbia circa 1950 -- he tries to avoid capture, recover his spaceship and make it home safely, all with the help of an empathetic little green being.
2
Tummy tuck. Nose job. Lipo. Millions of people routinely undergo these cosmetic surgeries each year, hoping the results will help them look and feel better. But when something goes wrong, the consequences can be devastating. This HBO Documentary Films presentation exposes the dark side of plastic surgery with a look at three cases of procedures that went horrifically wrong.
-3
Funny or Die Presents is a half-hour sketch comedy show that spawned from the comedy website Funny or Die, created by Will Ferrell & Adam McKay. It premiered on HBO on February 19, 2010. It is also currently being broadcast in the UK on Sky Atlantic.
-4
Small-town boy Shawn MacArthur has come to New York City with nothing. Barely earning a living selling counterfeit goods on the streets, his luck changes when scam artist Harvey Boarden sees that he has a natural talent for streetfighting. When Harvey offers Shawn help at making the real cash, the two form an uneasy partnership.
1
When LexCorp accidentally unleashes a murderous creature, Superman meets his greatest challenge as a champion. Based on the "The Death of Superman" storyline that appeared in DC Comics' publications in the 1990s.
0
It follows an aspiring young chef named Chowder and his day-to-day adventures as an apprentice in Mung Daal's catering company. Although he means well, Chowder often finds himself in predicaments due to his perpetual appetite and his nature as a scatterbrain. He is also pestered by Panini, the apprentice of Mung's rival Endive, who wants Chowder to be her boyfriend, which he abhors.
-1
Scooby and the gang experience outdoor fun as they go back to Fred's old summer camp.
1
Soon to be a father, Mark feels the pressure of domestic responsibility closing in, so he is more than happy to accept when his old friend Kurt proposes a camping trip in the Oregon wilderness. During their time together, the men come to grips with the changes in their lives and the effect on their relationship.
1
Journalist Ivy Meeropol makes her directorial debut with Heir to an Execution, a personal documentary exploring the execution of her biological grandparents: Julius and Ethel Rosenberg. In 1953, the Rosenbergs were put to death by the U.S. government with the charge of conspiracy to commit wartime espionage. Their orphaned young children were adopted by the Meeropol family, who raised them with the belief that their real parents were innocent. After working as a magazine reporter and political speechwriter for much of her career, director Meeropol conducted her own intimate investigation of her grandparents. The film includes commentary from the Rosenbergs' friend Morton Sobell (also convicted, but released from prison in 1969) and the director's father, Michael Meeropol. Produced by filmmaker Marc Levin, Heir to an Execution was shown at the Sundance Film Festival in 2004 as part of the documentary competition
-2
It has been called "the saddest acre in America." It is also one of the most sacred. Section 60 in Arlington National Cemetery is the final resting place for young men and women who died fighting in Iraq and Afghanistan. This emotional documentary filmed entirely in Section 60 provides intimate glimpses of family and friends who have come to honor their loved ones.
2
Lewis Black stars in his second HBO solo special, an all-new hour of frenetic, take-no-prisoners stand-up comedy, taped before a live audience at the Warner Theatre in Washington, DC. Lewis Black: Red, White & Screwed features Black's opinions and insights into such issues as the State of the Union, abortion, frozen embryos, defecation habits, fossils, bad language, FEMA and, of course, Dick Cheney's aim.
-6
Richard Kuklinski was a devoted husband, a loving father...and a ruthless killer. A decade after HBO last visited him in prison, the convicted murderer, who freely admits having whacked more than 100 people in cold blood, takes viewers back inside his cold, calculating mind. In this follow-up to America Undercover's 1992 film The Iceman Tapes: Conversations with a Killer, Kuklinski provides all-new insights about his exploits as one of the Mafia's most notorious assassins...and reveals some shocking confessions for a number of previously unsolved murders.
-12
On his 18th birthday, Goku receives a mystical Dragonball as a gift from his grandfather. There are only six others like it in the whole world, and legend has it that whoever possesses all seven will be granted one perfect wish. When the arrival of a dark force triggers a tragedy, Goku and his companions are propelled into an epic quest to collect the seven Dragonballs and save the Earth from destruction.
-1
United States President Lex Luthor uses the oncoming trajectory of a Kryptonite meteor to frame Superman and declare a $1 billion bounty on the heads of the Man of Steel and his ‘partner in crime’, Batman. Heroes and villains alike launch a relentless pursuit of Superman and Batman, who must unite—and recruit help—to try and stave off the action-packed onslaught, stop the meteor Luthors plot.
-3
A collection of key events mark Bruce Wayne's life as he journeys from beginner to Dark Knight.
-1
Anaïs is twelve and bears the weight of the world on her shoulders. She watches her older sister, Elena, whom she both loves and hates. Elena is fifteen and devilishly beautiful. Neither more futile, nor more stupid than her younger sister, she cannot understand that she is merely an object of desire. And, as such, she can only be taken. Or had. Indeed, this is the subject: a girl's loss of virginity. And, that summer, it opens a door to tragedy.
-5
An exploration of the fierce rivalry between NBA superstars Larry Bird and Magic Johnson during their decade of dominance.
-1
A man confronts the trauma of past sexual abuse as a boy by a Catholic priest only to find his decision shatters his relationships with his family, community and faith.
-1
Comedy special spotlighting Tracey Ullman’s larger than life character Ruby Romaine from HBO's “Tracey Takes On”.  After an illustrious career, veteran Hollywood makeup artist Ruby has decided to call it quits.  Or has she?  In her makeup trailer, Ruby tells a series of hilarious tales and explains why she reconsidered her retirement.  With Debbie Reynolds, Jane Kaczmarek.
2
This powerful follow-up to “The Gathering Storm” follows Churchill from 1940 to 1945 as he guided his beleaguered nation through the crucible of the war years--even as his marriage was encountering its own struggles.
0
After falling ill, Yesterday learns that she is HIV positive. With her husband in denial and young daughter to tend to, Yesterday's one goal is to live long enough to see her child go to school.
0
An examination of the prisoner abuse scandal involving U.S. soldiers and detainees at Iraq's Abu Ghraib prison in the fall of 2003.
-5
Alexandra Pelosi travels through the United States interviewing and filming several evangelical pastors and congregations.
0
Jimmy Neutron is a boy genius and way ahead of his friends, but when it comes to being cool, he's a little behind. All until one day when his parents, and parents all over Earth are kidnapped by aliens, it's up to him to lead all the children of the world to rescue their parents.
3
A Greek tour guide named Georgia attempts to recapture her kefi (Greek for mojo) by guiding a ragtag group of tourists around Greece and showing them the beauty of her native land. Along the way, she manages to open their eyes to the wonders of an exotic foreign land while beginning to see the world through a new set of eyes in the process.
2
A wild weekend is in store for three high school seniors who visit a local college campus as prospective freshmen.
-1
Paul Morse is a good guy. When his friends throw him a wild bachelor party, he just wants to keep his conscience clean -- which is why he's shocked when he wakes up in bed with a beautiful girl named Becky and can't remember the night before. Desperate to keep his fiancée, Karen, from finding out what may or may not be the truth, he tells her a teensy lie. Soon his lies are spiraling out of control and his life is a series of comical misunderstandings.
-4
A senator arranges for his son, a rich white kid who fancies himself black, to be kidnapped by a couple of black actors pretending to be murderers to try and shock him out of his plans to become a rapper.
0
Jimmy "The Tulip" Tudeski now spends his days compulsively cleaning his house and perfecting his culinary skills with his wife, Jill, a purported assassin who has yet to pull off a clean hit. Suddenly, an uninvited and unwelcome connection to their past unexpectedly shows up on Jimmy and Jill's doorstep; it's Oz, and he's begging them to help him rescue his wife, Cynthia.
-2
Six high school seniors decide to break into the Princeton Testing Center so they can steal the answers to their upcoming SAT tests and all get perfect scores.
-1
An intergalactic dog pilot from Sirius (the dog star), visits Earth to verify the rumors that dogs have failed to take over the planet.
-2
The gang goes on a trip to check on Velma's younger sister, Madelyn. She's been studying stage magic at the Whirlen Merlin Magic Academy, where apparently there have been sightings of a giant griffin. The gang decides to investigate.
2
When a teenager, Chun-Li witnesses the kidnapping of her father by wealthy crime lord M. Bison. When she grows up, she goes on a quest for vengeance and becomes the famous crime-fighter of the Street Fighter universe.
0
After standing in as best man for his longtime friend Carl Petersen, Randy Dupree loses his job, becomes a barfly and attaches himself to the newlywed couple almost permanently -- as their houseguest. But the longer Dupree camps out on their couch, the closer he gets to Carl's bride, Molly, leaving the frustrated groom wondering when his pal will be moving out.
-1
Trying to make a name for themselves in New York's competitive fashion scene, Ben Epstein and his friend and business partner Cam Calderon use their street knowledge and connections to bring their ambitions to fruition. With the help of Cam's cousin Rene, who is trying to market his own high-energy drink, and their well-connected friend Domingo, the burgeoning entrepreneurs set out to make it big, encountering obstacles along the way that will require all their ingenuity to overcome.
2
An overenthusiastic high-school maintenance man attempts to lead an unlikely group of misfits to the Nebraska state tennis championship in Balls Out: The Gary Houseman Story? director Danny Leiner's underdog sports comedy. American Pie star Seann William Scott stars as the ambitious janitor who believes he has what it takes to coach the winning team.
0
With his secret identity now revealed to the world, Ben Tennyson continues to fight evil as a superhero with the help of the newly acquired Ultimatrix.
-1
Gotham City is terrorized not only by recent escapees Joker and Penguin, but by the original creature of the night, Dracula! Can Batman stop the ruthless vampire before he turns everyone in the city, including The Caped Crusader, Joker and Penguin, into his mindless minions?
-4
At Mr. Rad's Warehouse, the best hip-hop crews in Los Angeles compete for money and respect. But when a suburban crew crashes the party, stealing their dancers - and their moves - two warring friends have to pull together to represent the street. Starring hip-hop sensations Marques Houston, Omari Grandberry, Lil' Kim and comedian Steve Harvey.
1
When a cockroach-spread plague threatened to decimate the child population of New York City in the original Mimic, biologist Susan Tyler and her research associates developed a species of "Judas" bugs and introduced them into the environment, where they were to "mimic" the diseased roaches and infiltrate their grubby habitats. The plan worked until the bugs evolved to mimic their next prey... humans! Just when they were all thought to be dead, the giant cockroaches are back, and this time they've mutated to take on human form!
-3
Beginning just after the bloody Sioux victory over General Custer at Little Big Horn, the story is told through two unique perspectives: Charles Eastman, a young, white-educated Sioux doctor held up as living proof of the alleged success of assimilation, and Sitting Bull the proud Lakota chief whose tribe won the American Indians’ last major victory at Little Big Horn.
4
One of the premier comedic talents in the entertainment industry, George Lopez stars in his second HBO solo special. George Lopez: Tall, Dark & Chicano is a live stand-up special performed in front of a packed arena crowd at the AT&T Center in San Antonio, TX.
1
The life and career of conservative icon Barry Goldwater is recounted from his days as an Arizona businessman to his five-term Senate career and his ill-fated run for president in 1964. Produced by the politician's granddaughter C.C. Goldwater, this profile features interviews with a host of media and political luminaries, including Hillary Rodham Clinton, Edward Kennedy, John McCain, Al Franken, Robert MacNeil, Ben Bradlee and others.
-2
In 1985, against the backdrop of Thatcherism, Brian Jackson enrolls in the University of Bristol, a scholarship boy from seaside Essex with a love of knowledge for its own sake and a childhood spent watching University Challenge, a college quiz show. At Bristol he tries out for the Challenge team and falls under the spell of Alice, a lovely blond with an extensive sexual past.
1
Capadocia is a Mexican HBO Latin America television series. It started on March 2, 2008 and its second season was planned for 2010.
0
Strip Search follows several parallel stories examining personal freedoms vs. national security in the aftermath of 9/11; two main subplots involve an American woman detained in China and an Arab man detained in New York City.
1
Over a period of two years, Mark Cowen and his crew travelled to thirty U.S. states and ten European cities, to interview the veterans of Easy Company. The stories told by the veterans themselves, create a history of the Second World War from the point of view of this heroic company of men, made famous in the mini-series Band of Brothers.
3
The closing of a local restaurant concerns a number of employees who've dedicated their lives to the eatery
0
The story of four women suffering from anorexia and bulimia in South Florida
-1
Young Haru rescues a cat from being run over, but soon learns it's no ordinary feline; it happens to be the Prince of the Cats.
0
Batman discovers a mysterious teen-aged girl with superhuman powers and a connection to Superman. When the girl comes to the attention of Darkseid, the evil overlord of Apokolips, events take a decidedly dangerous turn.
-3
A mouthy and feisty taxicab driver has hot tips for a green and inept cop set on solving a string of New York City bank robberies committed by a quartet of female Brazilian bank robbers.
1
Test pilot Hal Jordan finds himself recruited as the newest member of the intergalactic police force, The Green Lantern Corps.
0
In Martha's Vineyard, Mass., conjoined twins Walt and Bob Tenor make the best of their handicap by being the fastest grill cooks in town. While outgoing Walt hopes to one day become a famous actor, shy Bob prefers to stay out of the spotlight. When a fading Hollywood actress, Cher, decides to get her show "Honey and the Beaze" cancelled, she hires Walt -- and his brotherly appendage -- as her costars. But their addition surprisingly achieves the opposite.
5
A rising Hollywood actor decides to take personal revenge against a group of four persistent photographers to make them pay for almost causing a personal tragedy involving his wife and son.
-2
Ellen DeGeneres has done everything, from starring in hit sitcoms and movies, to writing best-selling books, to having her own new talk show, but she's never forgotten her roots as a stand-up comedian. Taped at New York City's Beacon Theatre before a live audience, Ellen DeGeneres: Here and Now features the kind of humor that first made her a star, offering her offbeat insights into everyday life. Her feel-good humor touches on something that anyone can identify with, be it the obligatory gay joke, procrastination, fashion, public cell phone use, airline etiquette, or self-esteem.
1
Maher addresses contemporary political, social and cultural topics -- Iraq, President Bush and the so called Axis of Evil. The opinionated Maher said about Victory Begins at Home: "We've heard everything about the War on Terrorism except what we can actually do to help win it. The government used to do that for us through propaganda (the positive kind) posters, so taking my cue from the great old posters of World War I and World War II ('Loose Lips Sink Ships,' 'Buy War Bonds,' 'Plant a Victory Garden,' etc.) I commissioned artists to paint the posters our government today should be putting out to help us win this war."
1
"Notorious" is the story of Christopher Wallace. Through raw talent and sheer determination, Wallace transforms himself from Brooklyn street hustler (once selling crack to pregnant women) to one of the greatest rappers of all time: The Notorious B.I.G. Follow his meteoric rise to fame and his refusal to succumb to expectations - redefining our notion of "The American Dream."
-3
Eliza and Debbie are two sisters who don't always get along. But their relationship is put to the test when Debbie's life is in danger, and Eliza might have to give up her power to talk to animals....
-1
Gamers who participate in an online role-playing game called Hellworld are invited to a rave whose host plans to show them all the truth behind the Cenobite mythos.
0
Category 7: The End Of The World follows the cataclysmic events chronicled in Category 6: Day Of Destruction. The massive storms that hit Chicago have now spawned other megastorms, with upstate New York and Florida catching the brunt of nature's power. But the storms turn, and threaten to combine into a never-before-seen super hurricane that could obliterate anything in its path. Meanwhile, a pair of TV evangelists decide the apocalypse is near, and use the storm - and fear - for their own ends.
-5
Tobacco heiress Doris Duke develops an unlikely friendship with her butler, Bernard Lafferty.
-1
A drug kingpin's return home touches off a turf war.
0
Two brothers are divided by marriage and fate during the 100 horrifying days of the 1994 Rwandan genocide.
-2
A US president who has retired after two terms in office returns to his hometown of Mooseport, Maine and decides to run for Mayor against another local candidate.
0
Jim Jefferies: I Swear to God: The easily offended might do best to avoid Jim Jefferies’ raunchy, rude humor (or at least imbibe the two-drink minimum beforehand), but the Australian-born comedian provides plenty of laughs for everyone else in this HBO special. In I Swear to God, Jefferies continues his patented brand of comedy that once got him punched by an audience member, discussing the idiocy of no-smoking signs, sluts vs. studs, and his father’s Holocaust jokes.
-2
A young man ushers an older woman into a dark exploration of her past - back to the time when, as a young girl, she met a stranger who affected her life forever.
-2
"Wishful Drinking" is based on Fisher's memoirs of the same title. The stage adaptation had its world premiere in 2006 at the Geffen Playhouse in L.A. It later played at Berkeley Repertory before opening on Broadway in October at Studio 54. The show takes audiences on a comic tour of Fisher's messy personal life and career. The actress-writer recounts stories about her work on the "Star Wars" series as well as her relationship with her parents Eddie Fisher and Debbie Reynolds. She also discusses her much-publicized problems with alcohol and drugs.
0
Mother and daughter - Big Edie and Little Edie Beale - live with six cats in a crumbling house in East Hampton. Little Edie, in her 50s, who wears scarves and bright colors, sings, mugs for the camera, and talks to Al and David Maysles, the filmmakers. Big Edie, in her 70s, recites poetry, comments on her daughter's behavior, and sings "If I Loved You" in fine voice. She talks in short sentences; her daughter in volumes. The film is episodic: friends visit, there's a small fire in the house, Little Edie goes to the shore and swims. She talks about the Catholic Church. She's ashamed that local authorities raided the house because of all the cats. She values being different.
1
Steeped in a rich tradition dating back to their inaugural meeting in 1897, this rivalry extends beyond the pursuit of a Big Ten title, and is renewed each year through the pageantry and colliding cultures that distinguish the two schools.
1
Jon and Garfield visit the United Kingdom, where a case of mistaken cat identity finds Garfield ruling over a castle. His reign is soon jeopardized by the nefarious Lord Dargis, who has designs on the estate.
-2
The human race is threatened by a powerful creature, and only the combined power of Superman, Batman, Wonder Woman, Green Lantern, Martian Manhunter and The Flash can stop it. But can they overcome their differences to thwart this enemy using the combined strength of their newly formed Justice League?
0
Something bizarre has come over the land. The kingdom is deteriorating. People are beginning to act strange... What's even more strange is that people are beginning to see dragons, which shouldn't enter the world of humans. Due to all these bizarre events, Ged, a wandering wizard, is investigating the cause. During his journey, he meets Prince Arren, a young distraught teenage boy. While Arren may look like a shy young teen, he has a severe dark side, which grants him strength, hatred, ruthlessness and has no mercy, especially when it comes to protecting Teru. For the witch Kumo this is a perfect opportunity. She can use the boy's "fears" against the very one who would help him, Ged.
-8
Story about the remarkable friendship between a reclusive writer and illustrator and a chaotic homeless man, whom he gets to know during a campaign to release two charity workers from prison.
-1
A documentary that explores the world of children who reside in discounted motels within walking distance of Disneyland, living in limbo as their families struggle to survive in one of the wealthiest regions of America. The parents of motel kids are often hard workers who don't earn enough to own or rent homes. As a result, they continue to live week-to-week in motels, hoping against hope for an opportunity that might allow them to move up in the O.C.
-1
High school loser (Cannon) pays a cheerleader (Milian) to pose as his girlfriend so he can be considered cool. Remake of 1987's Can't Buy Me Love, starring Patrick Dempsey.
1
As if the Penguin wasn't enough to contend with, a new vigilante has surfaced in Gotham City, and her strong-arm tactics give Batman cause for concern.
-1
Determined to learn about her boyfriend's past relationships, Stacy -- who works for a talk show -- becomes a bona fide snoop. With her colleague, Barb, Stacy gets the names of Derek's ex-lovers and interviews them, supposedly for an upcoming show. But what she learns only adds to her confusion, and her plans begin to unravel when she befriends one of the women.
-1
A renowned professor is forced to reassess her life when she is diagnosed with terminal ovarian cancer.
0
The true story of anti-apartheid activists in South Africa, and particularly the life of Patrick Chamusso, a timid foreman at Secunda CTL, the largest synthetic fuel plant in the world. Patrick is wrongly accused, imprisoned and tortured for an attempt to bomb the plant, with the injustice transforming the apolitical worker into a radicalised insurgent, who then carries out his own successful sabotage mission.
-5
A love story offering an intimate look inside the marriage of Winston and Clementine Churchill during a particularly troubled, though little-known, moment in their lives.
0
With suicide rates among active military servicemen and veterans currently on the rise, this documentary brings urgent attention to the invisible wounds of war. Drawing on personal stories of American soldiers whose lives and psyches were torn asunder by the horrors of battle and PTSD, the documentary chronicles the lingering effects of combat stress and post-traumatic stress on military personnel and their families throughout American history, from the Civil War through today's conflicts in Iraq and Afghanistan.
-8
For the third time, HBO cameras go inside Trenton State Maximum Security Prison--and inside the mind of one of the most prolific killers in U.S. history--in this gripping documentary. Mafia hit man Richard Kuklinski freely admits to killing more than 100 people, but in this special, he speaks with top psychiatrist Dr. Park Dietz in an effort to face the truth about his condition. Filled with more never-before-revealed confessions, it's the most chillingly candid Iceman special yet as it combines often-confrontational interview footage between Kuklinski and Dietz with photos, crime reenactments and home movies that add new layers to this evolving and fascinating story.
-2
Two heroin-addicted couples lead hard and stressful lives on the streets of New York.
-1
Five years later, 15-year-old Ben Tennyson chooses to once again put on the Omnitrix and discovers that it has reconfigured his Dna and can now transform him into 10 brand new aliens. Joined by his super-powered cousin Gwen Tennyson and his equally powerful former enemy Kevin Levin, Ben is on a mission to find his missing Grandpa Max. In order to save his Grandpa, Ben must defeat the evil Dnaliens, a powerful alien race intent on destroying the galaxy, starting with planet Earth.
1
A secret service agent is framed as the mole in an assassination attempt on the president. He must clear his name and foil another assassination attempt while on the run from a relentless FBI agent.
0
The life and struggles of a notorious rock musician seeping into a pit of loneliness whose everyday life involves friends and family seeking financial aid and favors, inspired by rock music legend Kurt Cobain and his final hours.
-2
Epitafios is a 2004 13-episode, Argentinian crime fiction TV mini-series with the tagline: El Final Está Escrito ... The End Is Written. The series, which takes place in an unnamed South American city, was shot in Buenos Aires.

The series was produced by HBO Latin America and Argentinian TV/film company Pol-Ka Producciones. It was written by Marcelo Slavich and Walter Slavich and directed by Alberto Lecchi and Jorge Nisco. Although all of the actors were Argentinian, a neutral Spanish was used instead of the local Rioplatense Spanish, avoiding colloquialisms such as the local vos in favor of the more common tú.

The series debuted in Australia on SBS in May 2007 under the title If The Dead Could Speak. It premiered in Poland on Cinemax on November 6, 2008. In Germany, it premiered on November 6, 2009 on pay TV channel FOX under the title Epitafios - Tod Ist Die Antwort.
-3
A look at the evolution of Albert Einstein's theory of relativity, and Einstein's relationship with British scientist Sir Arthur Eddington, the first physicist to understand his ideas.
0
Two inept criminals are mistakenly delivered a package of cocaine and think they've hit the jackpot, triggering a series of events that changes ten people's lives forever.
-3
A worker at a Russian nuclear facility gets exposed to a lethal dose of radiation. In order to provide for his family, he steals some plutonium and sets out to sell it on Moscow's black market with the help of an incompetent criminal.
-4
Delocated is an American television series that premiered February 12, 2009 on Adult Swim. The original pilot for the show was aired on April 1, 2008. Jon Glaser plays a man in the Witness Protection Program who moves his family to New York City so they exploit the situation by starring in a reality TV show about them being in the Witness Protection Program. Paul Rudd guest-stars in the pilot as himself. Eugene Mirman co-stars as a Russian hitman/aspiring stand-up comic hired to kill "Jon."

This series is produced by Wonder Showzen and Xavier: Renegade Angel creators PFFR. It leans decidedly more towards deadpan humor, and does not use the black humor of their other shows. It is similar in format to The Office, in that it mocks a reality show setup, as if it were a non-fiction, documentary or reality show, not a fictional comedy.

In the first seven episodes, Delocated had an eleven-minute runtime; as of season two, each episode had a twenty-two-minute runtime. The off-season series finale aired on March 7, 2013.
3
Superstar comedian/writer Bill Maher, one of the most highly credited comic minds today, is back in an all-new solo HBO comedy special performed live. Maher, known for his sharp wit, offers his candid and hilarious opinions on a wide range of social and political issues including sex, drugs, Iraq, immigration, President Bush, and much more in this can't miss special. Live show from Berklee Performance Center, Boston, Massachusetts
0
Scooby-Doo and the gang are on the case when a mysterious lake monster starts scaring the guests at a summer resort in Erie Point, where Fred, Daphne, Velma and Shaggy have taken on seasonal jobs to pay for a barn they accidentally burned down. But in addition to sneaking suspicions, there's some romance in the air.
-4
In London, after investigating crack addicted junkies for an article in her newspaper, Amy Klein watches a bizarre videotape where an underground group of youngsters in Bucharest apparently become zombies. Amy finds Marla dead with a puzzle cube in her hands. She brings the object to her hotel room, and opens it, beginning her journey to hell.
-8
Nate Johnson, a Los Angeles man estranged from his wife and three children, decides to reconnect with his family by taking them with him on a road trip to Missouri for a big family reunion.
-1
Unordained evangelical minister Justin Fatica and his Hard As Nails Ministry promote the gospel to all Christian faiths and reach out to the MTV generation.
0
After inhabiting dozens of comical alter-egos over the course of her award-winning career, Tracey Ullman finally "takes on" the one role that spawned all of her characters — herself.
-1
A documentary look at the changing interpretations of the first amendment of the U.S. Constitution - laws and court cases that have alternatively broadened and narrowed the amendment's protection of free speech and assembly. The film's thesis is that post-9/11 the government has seized unprecedented license to surveil, intimidate, arrest, and detain citizens and foreigners alike. The film also looks back to the Pentagon Papers' case and compares it to cases since 9/11 dealing with high school students' speech and protesters marching in New York City during the 2004 Republican convention. Comment comes from a range of scholars, pundits, and advocates.
2
What is a family? Rosie O'Donnell looks at the many answers to this question in this documentary that features original songs and thoughtful kids musing on love and family. The show provides a less than moving portrait of the remarkable diversity of so called families today, including same-sex parents, mixed-heritage families, and stories of adoption. Animated songs and musical performances by kids and families spice up the festivities along with performances and recordings by artists including Ziggy Marley, Bonnie Raitt, Doris Day, Sweet Honey in the Rock, Frank Sinatra, Rosie O'Donnell and They Might Be Giants.
4
Scooby-Doo and Shaggy must go into the underworld ruled by The Goblin King in order to stop a mortal named The Amazing Krudsky who wants power and is a threat to their pals: Fred, Velma, and Daphne.
0
Kirsty Cotton is now all grown up and married. Her memory of the events that took place back at her parent's home and the mental institution have dimmed, but she is still traumatized. A fatal car crash kills Kirsty. Now, her husband finds himself in a strange world full of sexy women, greed and murder, making him believe that he is in hell.
-7
An American man returns to a corrupt, Japanese-occupied Shanghai four months before Pearl Harbor and discovers his friend has been killed. While he unravels the mysteries of the death, he falls in love and discovers a much larger secret that his own government is hiding.
-4
Recently promoted and transferred to the homicide division, Inspector Jessica Shepard feels pressure to prove herself -- and what better way than by solving San Francisco's latest murder? However, as Shepard and her partner, Mike Delmarco, soon discover, the victim shared a romantic connection to her. As more of Shepard's ex-lovers turn up dead, her mind starts to become unstable, and she begins to wonder if she could be the very killer she's trying to track down.
-1
A toy box appears at the front door of Foster's and Frankie is ordered to take it to the attic. When she looks inside the box, she gets sent to a strange world which has an imaginary friend that does whatever she wants. Frankie decides to stay because she never gets any appreciation for all her hard work. Bloo, Mac, Wilt, Eduardo, and Coco set out to rescue her.
-3
Franklin Roosevelt, left a paraplegic from polio at 39 years of age, seeks out a miracle cure in the backwoods of Georgia.
1
Well-known television personality Bob Saget -- perhaps best known for his portrayal of squeaky-clean TV dad Danny Tanner on "Full House" -- headlines an unpredictable evening of adult-flavored comedy in this raucous stand-up special. Highlights include Saget's performance of "Danny Tanner Is Not Gay," a pop parody set to the tune of the Backstreet Boys' "I Want It That Way," and the music video "Rollin' with Saget" featuring Jamie Kennedy.
0
Filmmaker Alan Berliner chronicles his lifelong battle with insomnia in this intimate documentary. The cameras roll as he tries to quiet his overly active mind so he can get a decent night's sleep, capturing the details of what it's like to suffer from a chronic sleep disorder. As he struggles to find balance, his friends and family -- who endure the worst of Berliner's bouts with insomnia -- question whether he really wants to find a cure.
0
America's coolest heroes, the Teen Titans, go to Tokyo to track down the mysterious Japanese criminal Brushogun.
0
Witty, playful and utterly magical, the story is a compelling romantic adventure in which Rosalind and Orlando's celebrated courtship is played out against a backdrop of political rivalry, banishment and exile in the Forest of Arden - set in 19th-century Japan.
1
Freshly graduated from high school, Ana receives a full scholarship to Columbia University. Her very traditional, old-world parents feel that now is the time for Ana to help provide for the family, not the time for college.
0
Will Ferrell stars in a stand-up comedy as George W. Bush in this take on the former President of the United States. After playing George W. Bush on Saturday Night Live for many years, funny man Will Ferrell brings his impression to Broadway to send up the 43rd President of the United States of America.
-1
It’s Christmastime and the far-flung members of the Rodriguez family are converging at their parents’ home in Chicago to celebrate the season and rejoice in their youngest brother’s safe return from combat overseas.
3
Walkout is the true story of a young Mexican American high school teacher, Sal Castro. He mentors a group of students in East Los Angeles, when the students decide to stage a peaceful walkout to protest the injustices of the public school system. Set against the background of the civil rights movement of 1968, it is a story of courage and the fight for justice and empowerment.
2
One of a kind beats everything
0
A mini-series that explores the inner workings of Saddam Hussein's family and his relationship with his closest advisers.
0
Ben, Gwen, and Max must stop an extraterrestrial who plans to open a gateway that leads to an alien invasion.
1
Unjustly accused of staging a spooky practical joke complete with ghosts, Daphne, Velma, Fred and Shaggy are suspended from Coolsville High. To clear their names, they team up to solve the supernatural mystery…and head straight into nonstop laughs and adventure.
-2
The villains of the Kids Next Door, lead by Father, join forces to resurrect the Ultimate Evil, Grandfather, a tyrant who once ruled the world many years ago when most of the villains were themselves kids. However, Father disgraced him that he can't even try to destroy the KND and the Villains were quickly betrayed when they are turned into Senior Citizombies, creatures that are immortal and can transform any living creature into one of them and slaves who are forced to make Tapioca to refuel Grandfather so he can find and destroy the Book of K.N.D.
-5
Ghost pirates attack the cruise ship that Scooby and the gang are vacationing on.
-1
The Mystery Inc. gang takes a trip to Japan and finds themselves circling Asia and the Pacific in a treasure hunt, racing against the vengeful Black Samurai and his Ninja warriors to find the legendary Sword of Fate, an ancient blade fabled to possess extraordinary supernatural powers.
1
A man enclosed in a plastic bubble, his sister, and their best friend must defend an apartment complex from the mutant Judas Breed insects.
0
Embittered by Superman's heroic successes and soaring popularity, Lex Luthor forms a dangerous alliance with the powerful computer/villain Brainiac. Using advanced weaponry and a special strain of Kryptonite harvested from the far reaches of outer space, Luthor specifically redesigns Brainiac to defeat the Man of Steel.
3
An HBO special edited from three performances from Chris Rock's 2008 comedy tour: London (dark suit, dark shirt), Johannesburg (black suit, white shirt) and New York (shiny jacket). Topics include the ongoing presidential campaign, the possibility of a black president, George W. Bush, gas prices, low-paid jobs, ringtones and bottled water, sex, relationships and the correct use of the n-word
0
When Todd Anderson signs a $30 million deal with his hometown team, the New Jersey Nets, he knows that his life is set for a big change. To keep things real, he decides to throw a barbeque at his place -- just like the ones his family used to have. But when you have new and old friends, family, agents, and product reps in the same house, things are bound to get crazy.
0
Told in four episodes, an unnamed artist is transported through a mirror into another dimension, where he travels through various bizarre scenarios. This film is the first part of Cocteau's Orphic Trilogy, which consists of The Blood of a Poet (1930), Orpheus (1950) and Testament of Orpheus (1960).
-1
Jon Jon sees a ripe opportunity for a major party when he snags the job house-sitting for his rich Uncle Charles. The mansion comes with a platinum colored Mercedes-Benz 430. Which is said to be more than $100,000, and although Uncle Bilal has told him not to drive the car or have people over, Jon Jon wastes no time in doing both. But Uncle Charles vacation isn't going as planned, Charles is unaware that Jon Jon is not only having an "entertainment party", but he's auditioning his hip-hop band (IMx) for a record executive. When Jon Jon finds out his uncle is coming home earlier than announced, he has to race against time to try and put everything back the way he found it again.
-1
Follows five autistic children as they work together to create and perform a live musical production.
1
After years of meticulous planning, a terrorist operation is reaching its final stages. The authorities have received no intelligence; they are in a race against time but don't yet know it. As the operation unfolds, we see the working lives of men and women directly affected by terrorism. Among them: a firemen worried about the increasingly dangerous conditions he and his men are expected to work under; the head of the anti-terrorist branch whose responsibility it is to protect London and a female Muslim detective brought into Scotland Yard to investigate another suspected terrorist cell. But it is too late to stop the attack.
0
Lucy is the 21 year old daughter of Satan in this dark comedy.
-1
In front of a live audience at the Raleigh Memorial Auditorium at the Progress Energy Center for the Performing Arts in Raleigh, North Carolina, the Emmy-nominated host of Real Time with Bill Maher performs an all-new hour of stand-up comedy.  Among the topics Bill discusses in his ninth HBO solo special are: Whether the "Great Recession" is really over; the fake patriotism of the right wing; what goes on in the mind of a terrorist; why Obama needs a posse instead of the secret service; the drug war; Michael Jackson; getting out of Iraq and Afghanistan; racism; the Teabagger movement; religion; the health-care fight; why Gov. Mark Sanford will come out looking good, and how silly it is to ask "Why do men cheat?"; and why comedy most definitely didn't die when George Bush left office.
-2
Four young Americans who've each suffered a Traumatic Brain Injury emerge from their comas at a New Jersey medical facility. Their eyes may be open, but now the real challenge for each of the patients, their families, their doctors and their therapists begins. Brain healing isn't predictable, we're told, and certainly is not guaranteed. So with each 'major' step forward that is observed (opening one's eyes, bending a thumb upon command, vocalizing a word, answering a question correctly) comes a sense of jubilant relief and hope from the families of these patients, but as we soon see, the more a patient progresses, the more difficult things can be for all involved. Moments of faith & hope contrast with disappointments & frustrations, moments of confidence with moments of doubt. It's difficult to watch, and unimaginable to have to ever live through.
0
The true-life story of a mother who overcame an addiction to crack and became a positive role model and an AIDS activist in the black community.
0
An Irish funeral has a wake. A Jewish funeral has sitting shiva. A traditional Chinese funeral is something else entirely. Thats what the estranged siblings of the Chinese-American Xiao family must undergo upon news of their mothers death. The one brother and three sisters dont get along, however they share one thing: hatred for their domineering and manipulative mother, the Dragon Lady."
-5
By the People: The Election of Barack Obama is a documentary film produced by Edward Norton broadcast in November 2009 on HBO, which follows Barack Obama and various members of his campaign team, including David Axelrod, through the two years leading up to the United States presidential election on November 4th, 2008.
1
The abortion battle continues to rage in unexpected ways on one corner in an American city.
-2
Twenty years before this video was produced, comedian Whoopi Goldberg took Broadway by storm in a one-woman show that established her as one of the wittiest, finest performers of her generation. The groundbreaking comic returns to the Great White Way in this HBO special that has her revisiting some of her earlier characters, such as the belly-aching druggie Fontaine, as well as new avatars such as Lurleen, a Southern belle facing menopause.
4
Superstar comedian/actor George Lopez, one of the premier comedic talents in the entertainment industry, made his HBO solo debut performed live in front of a packed house at the Dodge Theater in Phoenix, Arizona. Lopez delivers a hilarious routine touching on his own Latino roots, immigration and naturalization, modern-day kids, old-school values, interacial relationships, and the future.
3
An unflinching, fragmentary look at a handful of self-destructive, marginalized people, but taking as main focus the heroin-addicted Vanda Duarte.
-1
Lewis Black goes on tirade after tirade about stupidity in America. He covers everything from corporate greed and Martha Stewart to WMDs and homeland security.
-2
On June 20, 2009, Neda Agha-Soltan was shot and killed on the streets of Tehran during the turmoil that followed the Iranian presidential contest. Within hours, images of her dying moments, captured on cell phones, appeared on computer screens across the world, focusing the world's attention on mass protests against the rigged elections in Iran. Featuring previously unseen footage of Neda with friend and family, as well as exclusive video of her recorded the day she died, "For Neda" debuts just before the anniversary of her death.
-5
Red-hot actor/comedian Cedric the Entertainer stars in his first solo HBO special, a no-holds-barred 60-minute routine performed in front of a live audience at The Wiltern, the venerable Los Angeles theater. Spiced by several song-and-dance numbers featuring a smokin' band and sexy group of dancers he calls the 'Cedibles,' the special highlights Cedric's hilarious takes on fame, TV, rap music, sports, diets, plastic surgery, gay marriage, church socials, meeting the President (not the new one, but the one we like), $5,000-a-plate dinners, Afghanistan, Osama Bin Laden, suicide bombers, gas prices, Halloween, Latin music and more.
3
Jim Norton is back on HBO and holds nothing back in this 60-minute concert performed in front of a live audience at The Lincoln Theater in Washington DC. Norton, known for his straight up comedy that sometimes crosses lines no other comedians dare to cross, gives his hilarious perspectives on contemporary issues, dating, celebrities, prostitutes and much more.
0
Tracy Morgan’s first stand-up special on the channel, Black and Blue. Performing at New York City’s Apollo Theater, the 30 Rock star let his demented brand of humor loose on the crowd. His jokes hit on everything from politics and airport security to borderline inappropriate quips we can’t include here. Audience members doubled over in laughter. Yup, he was that funny.
-3
In 1998 former Chilean dictator Augusto Pinochet visits Britain for medical treatment. On being tipped off, Amnesty International seize the chance to bring to justice a man they insist is guilty of multiple human rights violations. The newly-elected Labour government is initially amenable, and soon Pinochet is under house arrest (albeit in a detached house in leafy suburbia) and awaiting extradition to Spain. However, Amnesty are up against the complexities of British law, the vacillations of Home Secretary Jack Straw, Pinochet's former ally Margaret Thatcher - and the Senator's own vast reserves of cunning.
-1
PRIMO was adapted by Antony Sher from Primo Levi's monumental account of his year spent in Auschwitz, IF THIS IS A MAN. When it opened in September 2004 at the National Theatre PRIMO was instantly recognised as a major theatrical event. A work of astounding dramatic power it sheds a light on one of the darkest episodes in human history. Antony Sher's towering performance is as controlled as Primo Levi s own lucid prose. Beautifully directed by Richard Wilson and presented in Hildegard Bechtler's magnificent, symbolist set.
7
Ten families read letters from their loved ones killed during Operation Iraqi Freedom in this powerful and moving HBO documentary by Oscar and Emmy Award-winning filmmaker Bill Couturie (Dear America: Letters Home from Vietnam). Photos of the soldiers in military and civilian life are shown as family members read the final correspondence received from Iraq and share their thoughts and memories about the fallen troops and the realities of war.
1
Comedian/actor Robert Klein stars in his ninth HBO stand-up special, an hour of all new insights into society’s foibles and follies, plus several memorable musical interludes. Klein performs his routine in front of a live audience at the Broward Center for the Performing Arts’ Amaturo Theatre in Fort Lauderdale, Florida.
1
Dave Attell is funnier and more outlandish than ever in his first solo HBO, special, a 60-minute concert performed in front of a live audience at The Lincoln Theater, the venerable Washington DC venue. Attell's sarcastic wit and quick-fire delivery prove why he has earned the reputation as a "comic's comic" and was dubbed one of the"25 Funniest People in America" by Entertainment Weekly. His decidedly adult brand of comedy covers everything including alcohol consumption, dating current events and celebrities, and everything else on his mind.
0
A pregnant New York social worker tries to help a troubled teenager whose father kicked him out of his home.
-1
Assembled by some of the nation's top documentary filmmakers, this centerpiece film in HBO's 'Addiction' campaign features insights from experts on trends and treatments in the ongoing battle against drug and alcohol abuse. This documentary consists of nine segments that focus on case studies and cutting-edge treatments that challenge traditional beliefs about addiction.
0
Auto racing is an obsession in Anderson, Indiana. Even with local auto factories closing down and jobs being lost, the town's residents continue to flock to the local speedway every Friday night--and its drivers continue to pour their dwindling resources into their Thundercars. Emmy(R)-winning filmmaker Jon Alpert presents this look at this passion for racing in rust-belt America. Since the closing of a GM plant and the loss of 33,000 jobs, the once-thriving town of Anderson now stands witness to empty factories, shuttered stores and abandoned home--but also to packed houses at Anderson Speedway where people put their troubles on hold to watch the cacophony of screeching tires and crashing metal as drivers vie for Thundercar supremacy.
-2
Beah: A Black Woman Speaks is a 2003 documentary about the life of Academy Award nominated actress Beah Richards. Directed by Lisa Gay Hamilton, it won the Documentary Award at the AFI Los Angeles International Film Festival in 2003.
3
With one swing of a bat, Bobby Thomson became a legend. His dramatic home run on October 3, 1951, led the New York Giants to win the National League pennant over the rival Brooklyn Dodgers. This documentary looks at the teams, personalities and events that combined to create one of the most heated pennant races ever witnessed...one that ended with an unforgettable homer.
2
Displaying his comic chops and impeccable timing, self-deprecating jokester Richard Jeni will have you in stitches with his riotous brand of humor as he takes aim at political extremists on both sides of the aisle, Martha Stewart and Michael Jackson. From mocking stoners watching a congressional session to poking fun at religious fundamentalists, Jeni leaves no irreverent stone unturned in this rollicking HBO special.
1
On Easter Eve, 1991, the normalcy of 76-year-old Florence Holway's rural life came to a shocking, abrupt end when a 26-year-old intruder broke in to her home and brutally raped her. The horrifying attack marked the beginning of the New Hampshire artist and grandmother's 12-year struggle to bring her rapist to justice--and bring change to a flawed legal system.
-9
In a war that has left more than 25,000 wounded, ALIVE DAY MEMORIES: HOME FROM IRAQ looks at a new generation of veterans. Executive Producer James Gandolfini interviews ten Soldiers and Marines who reveal their feelings on their future, their severe disabilities and their devotion to America. The documentary surveys the physical and emotional cost of war through memories of their "alive day," the day they narrowly escaped death in Iraq.
-2
Award-winning sports chronicler Bud Greenspan delivers a powerful and emotional look at six individual stories in the official film of the 2002 Olympic Winter Games in Salt Lake City. Greenspan goes beyond highlight footage to tell the story of how these athletes overcome incredible obstacles to achieve Olympic glory.
2
On the Record with Bob Costas is a 12-week long talk show hosted by sportscaster Bob Costas. The show ran for four seasons on HBO from 2001 to 2004 before being revamped into Costas Now.

On the Record with Bob Costas was in a sense, similar to Costas' previous late night talk show, Later, which Costas hosted on NBC from 1988 to 1994. Both programs featured one-on-one interviews with guests ranging from the sports world to the show business world.
0
Star actor/comedian D.L. Hughley appears in his first solo HBO special, a no-holds-barred 60-minute routine performed in front of a live audience at The Lincoln Theater, the venerable Washington DC venue. Hughley, seen previously in Russell Simmons' Def Comedy Jam, keeps the crowd roaring with his hilarious take on politics, childhood, challenging your father to a fight, gluttony, impotence drugs, parenthood and more.
-1
A documentary covering the 2006 Olympic Games in Turin.
0
Author/historian David McCullough welcomes viewers into his public and private world in this film. Produced by Tom Hanks and Gary Goetzman--who adapted McCullough's 'John Adams' for the 7-part HBO miniseries--this documentary paints an affectionate, first-person portrait of the two-time Pulitzer Prize winner as he gives a speech and even visits his old Brooklyn neighborhood.
4
From a Chicago stage, Dennis Miller rips issues du jour to shreds.
-2
Does having a learning disability mean that you can’t learn? Eight children prove that the answer is a definitive 'No' in this documentary. Interviews with kids are intercut with scenes of the children engaged in activities that reflect their talents to form a compelling portrait of the ways in which these young people use their strengths to overcome their challenges.
1
Liberty Kid is a 2007 low-budget American film that is directed by Ilya Chaiken. Two friends Derrick and Tico lost their jobs at a concession stand at the Statue of Liberty because of 9/11. In order to make money, they become drug dealers and participate in insurance scams. Derrick wants to go to college and has to support his two kids. When recruiters from the army come, Derrick decides to join the army because he is told that he'll get money for college and live rent free. When he tells his mom his decision, she says that she is afraid that he'll have to go to war. The recruiter tells him that his mom is only worried because it is her job as a mom.
-1
Traumatized. Immobilized. Stigmatized. Families reveal the struggles, hopes and fears that arise from raising young children with Bipolar Mood Disorder. Shot over the course of 12 months, the film focuses on five sets of parents and how they handle the unique challenges of caring for their bipolar children in the shadow of depression, violence and the threat of suicide.
-8
Documentary account of George W. Bush's presidential campaign during the 2000 election.
0
In October 2006, 25 artists came together to paint Supreme Court Justice Sandra Day O'Connor. The result was a collection of vastly different images of this iconic figure. This film chronicles the process from the initial setting (where Justice O'Connor entertained the room) to the evening when the paintings were unveiled at the National Portrait Gallery.
1
Twenty million people live within a 50-mile radius of the Indian Point Energy Center and its three nuclear reactors. This film takes a cautionary look at the possible consequences of an accident or terrorist attack on the facility--a catastrophe that could potentially render much of the Hudson River Valley and New York City uninhabitable.
-3
A profile of the remarkable life and career of tennis legend Billie Jean King, both on and off the court.
1
As always, Carvey never crosses the line into mean-spiritedness, but easily glides in and out of every impression & expression, reminding us of the huge talent we came to know and love before he left the scene due to his heart condition. It's a bittersweet irony that Dana Carvey is one comic who is ALL heart...
1
No clothes. No apologies. This film marks artist Spencer Tunick's third 'Naked' documentary which feature photo shoots that create art from the naked bodies of men and women. In this shoot, 85 HIV-positive men and women gather in a downtown Manhattan bar where they bare it all for Tunick's camera, creating an unsentimental look at life with AIDS in America today.
0
Standup Comedy Show featuring up and coming comics.
0
This documentary profiles iconic journalist Helen Thomas who has held a front-row seat at White House press conferences for more than 60 years.
0
People from all over New York City meet in Spanish Harlem once a week at Santo Rico Dance School, where they learn the art of salsa.
0
A documentary covering the 2000 Olympic Games in Sydney.
0
Can vision succeed where eyesight fails? Can a blind person make meaningful photographs? How can the creator appreciate his own work? This film explores the artistry and innovation of Pete ...
3
A documentary covering the 2004 Olympic Games in Athens.
0
This insightful Home Box Office documentary profiles some American children afflicted with Tourette's syndrome -- a hereditary neurological disorder manifested by recurrent, involuntary vocal and motor tics. More than a dozen youngsters ranging from ages 6 to 13 discuss the stigma of Tourette's, what it's like to grow up with the condition, control measures and the challenges they face to be viewed as normal.
-2
In August 2005, the American city of New Orleans was struck by the powerful Hurricane Katrina. Although the storm was damaging by itself, that was not the true disaster. That happened when the city's flooding safeguards like levees failed and put most of the city, which is largely below sea level, underwater. This film covers that disastrous series of events that devastated the city and its people. Furthermore, the gross incompetence of the various governments and the powerful from the local to the federal level is examined to show how the poor and underprivileged of New Orleans were mistreated in this grand calamity and still ignored today.
-6
A documentary by Alexandra Pelosi takes a behind-the-scenes look at a recent life and hard times of ex-minister, Pastor Ted. Ted Haggard had it all: prosperity, a doting wife, five kids- and a ministry that reached out to approx 30 million followers who counted on his every word, whether on TV or in person at one of his arena sermons. In 2006, it all fell apart when Pastor Ted admitted to having sex with a male prostitute and to buying methamphetamines. He was exiled from his church and home in Colorado and became a pariah who now makes ends meet as a traveling insurance salesman.
-3
Inspired by true accounts, this HBO miniseries focuses on a group of fictional characters caught up in the harrowing aftermath of the tsunami that devastated the coast of Thailand two years ago.
-2
In his eighth HBO special, the comic reflects on humorous events from his childhood, his summer job as a lifeguard in the Catskills, the 1960s sexual revolution and signs of aging. Taped in New York City at the John Jay College Theater.
1
The Cistercian monks of Austria are holy men who rise at 4:30 a.m., pray for more than four hours a day and have devoted their lives to God. They're also pop stars. This documentary offers a glimpse at the daily life of the joyous monks of Stift Heiligenkreuz Abbey whose recordings of their ethereal Gregorian chants have turned them into chart-topping music sensations.
3
Follows the struggle of 138 mostly immigrant workers who strike to save their jobs at a famous bakery in the Bronx when a private equity firm buys the bakery and demands wage cuts of up to 30%.
-1
Series that gets inside the hearts and minds of 23 real-life kindergarten students as they test the waters of academia for the first time.
0
See what celebrated Latino actors, newsmakers and a musical legend have to say about being Latino in the U.S. in this installment of the award-winning series. Interviews include Jimmy Smits, Luis Guzman, Daisy Fuentes, Wilmer Valderrama, Ana de la Reguera, Ruben Blades, Bernie Williams, and many others.
1
AnМ©cdotas e historias de la vida real sobre lo que significa ser un latino en los Estados Unidos.
0
See what celebrated Latino actors, newsmakers and a musical legend have to say about being Latino in the U.S. in this sixth installment in the award-winning documentary series.
1
The excitement and poetry of the Brave New Voices 2010 National Slam team championships is captured in this special.
2
Latinos share funny, often touching anecdotes and real-life accounts of what it means to be Latino in NY.
-1
An installment of HBO's 'Habla' specials that feature anecdotes and real-life accounts of what it means to be Latino in the U.S.
0
Seven noble families fight for control of the mythical land of Westeros. Friction between the houses leads to full-scale war. All while a very ancient evil awakens in the farthest north. Amidst the war, a neglected military order of misfits, the Night's Watch, is all that stands between the realms of men and icy horrors beyond.
-2
This hidden-camera series follows four lifelong friends -- Brian "Q"' Quinn, James "Murr"' Murray, Joe Gatto and Sal Vulcano -- who take dares to an outrageous level. To find out who is best under pressure, the guys compete in awkward and outrageous hidden-camera hijinks with the loser performing what is deemed to be the most-mortifying challenge yet.
-3
Mike, an experienced stripper, takes a younger performer called The Kid under his wing and schools him in the arts of partying, picking up women, and making easy money.
1
A behind-the-scenes look at the people who make a nightly cable-news program. Focusing on a network anchor, his new executive producer, the newsroom staff and their boss, the series tracks their quixotic mission to do the news well in the face of corporate and commercial obstacles-not to mention their own personal entanglements.
0
A look into American politics, revolving around former Senator Selina Meyer who finds being Vice President of the United States is nothing like she expected and everything everyone ever warned her about.
-1
Five friends go for a break at a remote cabin, where they get more than they bargained for, discovering the truth behind the cabin in the woods.
-1
A reluctant hobbit, Bilbo Baggins, sets out to the Lonely Mountain with a spirited group of dwarves to reclaim their mountain home - and the gold within it - from the dragon Smaug.
1
Following the death of District Attorney Harvey Dent, Batman assumes responsibility for Dent's crimes to protect the late attorney's reputation and is subsequently hunted by the Gotham City Police Department. Eight years later, Batman encounters the mysterious Selina Kyle and the villainous Bane, a new terrorist leader who overwhelms Gotham's finest. The Dark Knight resurfaces to protect a city that has branded him an enemy.
-6
A paranoia-fueled action thriller about an unsuccessful writer whose life is transformed by a top-secret "smart drug" that allows him to use 100% of his brain and become a perfect version of himself. His enhanced abilities soon attract shadowy forces that threaten his new life in this darkly comic and provocative film.
-1
True-crime writer Ellison Oswald is in a slump; he hasn't had a best seller in more than 10 years and is becoming increasingly desperate for a hit. So, when he discovers the existence of a snuff film showing the deaths of a family, he vows to solve the mystery. He moves his own family into the victims' home and gets to work. However, when old film footage and other clues hint at the presence of a supernatural force, Ellison learns that living in the house may be fatal.
-3
A fresh and funny take on modern friendship and what one urban family will do to stay friends after the perfect couple who brought them all together break up on their wedding day. The failed wedding forces them all to question their life choices. Then there are Alex and Dave themselves, who strike a truce and must learn to live with the changes their breakup has brought.
-2
Falling Skies opens in the chaotic aftermath of an alien attack that has left most of the world completely incapacitated. In the six months since the initial invasion, the few survivors have banded together outside major cities to begin the difficult task of fighting back. Each day is a test of survival as citizen soldiers work to protect the people in their care while also engaging in an insurgency campaign against the occupying alien force.
1
As the Iranian revolution reaches a boiling point, a CIA 'exfiltration' specialist concocts a risky plan to free six Americans who have found shelter at the home of the Canadian ambassador.
-1
After a very public breakdown and a subsequent philosophical awakening in rehabilitation, Amy tries to get her life back together.
-1
As an epidemic of a lethal airborne virus - that kills within days - rapidly grows, the worldwide medical community races to find a cure and control the panic that spreads faster than the virus itself.
-4
Freddie, a volatile, heavy-drinking veteran who suffers from post-traumatic stress disorder, finds some semblance of a family when he stumbles onto the ship of Lancaster Dodd, the charismatic leader of a new "religion" he forms after World War II.
-4
A family discovers that dark spirits have invaded their home after their son inexplicably falls into an endless sleep. When they reach out to a professional for help, they learn things are a lot more personal than they thought.
-2
Seduced by the challenge of an impossible case, the driven Dr. Carl Jung takes the unbalanced yet beautiful Sabina Spielrein as his patient. Jung’s weapon is the method of his master, the renowned Sigmund Freud. Both men fall under Sabina’s spell.
2
The life of Gumball Watterson, a 12-year old cat who attends middle school in Elmore. Accompanied by his pet, adoptive brother, and best friend Darwin Watterson, he frequently finds himself involved in various shenanigans around the city, during which he interacts with various family members: Anais, Richard, and Nicole Watterson, and other various citizens.
1
A lawyer conducts business from the back of his Lincoln town car while representing a high-profile client in Beverly Hills.
0
When best buds Rick and Fred begin to show signs of restlessness at home, their wives take a bold approach to revitalize their marriages, they grant the guys a 'hall pass'—one week of freedom to do whatever they want. At first, it seems like a dream come true, but they quickly discover that their expectations of the single life—and themselves—are completely and hilariously out of sync with reality.
3
Slowed by age and failing eyesight, crack baseball scout Gus Lobel takes his grown daughter along as he checks out the final prospect of his career. Along the way, the two renew their bond, and she catches the eye of a young player-turned-scout.
-3
Two rival politicians compete to win an election to represent their small North Carolina congressional district in the United States House of Representatives.
0
Bugs Bunny, Daffy Duck and the rest of the “Looney Tunes” characters are back with more adventures for a new generation of viewers. The animated series features roommates Bugs and Daffy moving out of the woods and into the suburbs, interacting with their neighbors, who happen to be other "Looney Tunes" favorites -- including Sylvester, Tweety, Porky Pig and Foghorn Leghorn.
-2
Heather Mason and her father have been on the run, always one step ahead of dangerous forces that she doesn't fully understand, Now on the eve of her 18th birthday, plagued by horrific nightmares and the disappearance of her father, Heather discovers she's not who she thinks she is. The revelation leads her deeper into a demonic world that threatens to trap her forever.
-3
Though Rachel is a successful attorney and a loyal, generous friend, she is still single. After one drink too many at her 30th-birthday celebration, Rachel unexpectedly falls into bed with her longtime crush, Dex -- who happens to be engaged to her best friend, Darcy. Ramifications of the liaison threaten to destroy the women's lifelong friendship, while Ethan, Rachel's confidant, harbors a potentially explosive secret of his own.
-1
Everybody has one—the sibling who is always just a little bit behind the curve when it comes to getting his life together. For sisters Liz, Miranda and Natalie, that person is their perennially upbeat brother, Ned. But as each of their lives begins to unravel, Ned's family comes to realise that Ned isn't such an idiot after all.
-1
Comedian Billy Eichner, unfiltered and unapologetic, hits the streets of New York City to test unsuspecting strangers on their knowledge of music and pop culture. With microphone in hand and money in tow, Eichner gives contestants the chance to win cash by answering a series of hilarious and spontaneous questions. The catch? The final round is subjective - Don't agree with Billy? You lose.
0
Warwick Wilson is the consummate host. He carefully prepares for a dinner party, the table impeccably set and the duck perfectly timed for 8:30 p.m. John Taylor is a career criminal. He’s just robbed a bank and needs to get off the streets. He finds himself on Warwick’s doorstep posing as a friend of a friend, new to Los Angeles, who’s been mugged and lost his luggage.
1
Orphaned and alone except for an uncle, Hugo Cabret lives in the walls of a train station in 1930s Paris. Hugo's job is to oil and maintain the station's clocks, but to him, his more important task is to protect a broken automaton and notebook left to him by his late father. Accompanied by the goddaughter of an embittered toy merchant, Hugo embarks on a quest to solve the mystery of the automaton and find a place he can call home.
0
A quest that begins as a personal vendetta for the fierce Cimmerian warrior soon turns into an epic battle against hulking rivals, horrific monsters, and impossible odds, as Conan realizes he is the only hope of saving the great nations of Hyboria from an encroaching reign of supernatural evil.
-5
Martin, a mercenary, is sent from Europe by an anonymous biotech company to the Tasmanian wilderness on a hunt for the last Tasmanian tiger.
0
After the events at Lake Victoria, the prehistoric school of blood-thirsty piranhas make their way into swimming pools, plumbing, and a newly opened water park.
0
For centuries, a small but powerful force of warriors called the Green Lantern Corps has sworn to keep intergalactic order. Each Green Lantern wears a ring that grants him superpowers. But when a new enemy called Parallax threatens to destroy the balance of power in the Universe, their fate and the fate of Earth lie in the hands of the first human ever recruited.
-2
The assorted humiliations, disasters and rare triumphs of four very different twenty-something girls: Hannah, an aspiring writer; Marnie, an art gallery assistant and cousins Jessa and Shoshanna.
-1
Over the summer of 1976, thirty-six bombs detonate in the heart of Cleveland while a turf war raged between Irish mobster Danny Greene and the Italian mafia. Based on a true story, Kill the Irishman chronicles Greene's heroic rise from a tough Cleveland neighborhood to become an enforcer in the local mob.
-1
Mildred Pierce depicts an overprotective, self-sacrificing mother during the Great Depression who finds herself separated from her husband, opening a restaurant of her own and falling in love with a man, all the while trying to earn her spoiled, narcissistic daughter's love and respect.
1
Eagleheart is an action-comedy television series that premiered on February 3, 2011, on Adult Swim.
0
Twenty-eight-year-old Margot is happily married to Lou, a good-natured cookbook author. But when Margot meets Daniel, a handsome artist who lives across the street, their mutual attraction is undeniable.
3
Major Crimes explores how the American justice system approaches the art of the deals as law enforcement officers and prosecutors work together to score a conviction. Los Angeles Police Captain Sharon Raydor heads up a special squad within the LAPD that deals with high-profile or particularly sensitive crimes.
0
The story of a love triangle between a conservative English aristocrat, his mean socialite wife and a young suffragette in the midst of World War I and a Europe on the brink of profound change.
1
After a former elite agent rescues a 12-year-old Chinese girl who's been abducted, they find themselves in the middle of a standoff between Triads, the Russian Mafia and high-level corrupt New York City politicians and police.
0
Challenges of impending parenthood turn the lives of five couples upside down. Two celebrities are unprepared for the surprise demands of pregnancy; hormones wreak havoc on a baby-crazy author, while her husband tries not to be outdone by his father, who's expecting twins with his young trophy wife; a photographer's husband isn't sure about his wife's adoption plans; a one-time hook-up results in a surprise pregnancy for rival food-truck owners.
-3
During the Republican run of the 2008 Presidential election, candidate John McCain picks a relative unknown, Alaskan governor Sarah Palin, to be his running mate.  As the campaign kicks into high gear, her lack of experience, in both political and media savvy, becomes a drain upon McCain and his strategists.
-2
Drug trafficking, poverty, gang violence, corruption and ethnic warfare have created some of the most dangerous hot spots on Earth. Follow our current generation of photojournalists into these conflict zones, see what compels them and experience why, when everyone else seeks cover, the photojournalist stands and moves closer.
-3
Cissy, Reggie, and Wilf are in a home for retired musicians. Every year, there is a concert to celebrate Composer Giuseppe Verdi's birthday and they take part. Jean, who used to be married to Reggie, arrives at the home and disrupts their equilibrium. She still acts like a diva, but she refuses to sing. Still, the show must go on, and it does.
1
Two guys get a billion dollars to make a movie, only to watch their dream run off course.
0
A look at the life of Margaret Thatcher, the former Prime Minister of the United Kingdom, with a focus on the price she paid for power.
0
A wealthy playboy named Bruce Wayne and a Chicago cop named Jim Gordon both return to Gotham City where their lives unexpectedly intersect.
0
Viewers will get a look at Parker and Stone's thought process as they approach a new episode and the 24/7 grind they subject themselves to each time the show is in production. The documentary also includes in-depth interviews with Parker and Stone about their working partnership and reflections on highlights from their careers.
-1
This documentary film tells the dramatic story of Richard and Mildred Loving, an interracial couple living in Virginia in the 1950s, and their landmark Supreme Court Case, Loving v. Virginia, that changed history.
3
Black Dynamite is an American animated television series based on the 2009 film of the same name, although the series follows a separate continuity, with some back-references to the film. The series was announced shortly after the release of the film, the 10-minute pilot episode was released on Adult Swim Video on August 8, 2011, and the full series premiered on Cartoon Network's late night programming block, Adult Swim, on July 15, 2012. Michael Jai White, Byron Minns, Tommy Davidson and Kym Whitley reprise their film roles as Black Dynamite, Bullhorn, Cream Corn and Honeybee, respectively.
1
Based on a shocking true story, Killer Elite pits two of the world’s most elite operatives—Danny, an ex-special ops agent and Hunter, his longtime mentor—against the cunning leader of a secret military society. Covering the globe from Australia to Paris, London and the Middle East, Danny and Hunter are plunged into a highly dangerous game of cat and mouse—where the predators become the prey.
-1
Filmmaker Liz Garbus investigates the mysterious tragedy of Diane Schuler in an effort to understand what went wrong.
-3
When a covert mission to rescue a kidnapped CIA operative uncovers a chilling plot, an elite, highly trained U.S. SEAL team speeds to hotspots around the globe, racing against the clock to stop a deadly terrorist attack.
-2
Batman has not been seen for ten years. A new breed of criminal ravages Gotham City, forcing 55-year-old Bruce Wayne back into the cape and cowl. But, does he still have what it takes to fight crime in a new era?
-3
A divorced writer from the Midwest returns to her hometown to reconnect with an old flame, who's now married with a family.
0
A look at the lives of two teenage girls - inseparable friends Ginger and Rosa -- growing up in 1960s London as the Cuban Missile Crisis looms, and the pivotal event the comes to redefine their relationship.
-1
When he suddenly finds himself without his long-standing blue-collar job, Larry Crowne enrolls at his local college to start over. There, he becomes part of an eclectic community of students and develops a crush on his teacher.
-1
A year after the events that took place during the "Final Battle" and after the destruction of Omnitrix, 16-year-old Ben Tennyson has to face new enemies.
-2
An adaptation of Mark Waid's "Tower of Babel" story from the JLA comic. Vandal Savage steals confidential files Batman has compiled on the members of the Justice League, and learns all their weaknesses.
-3
Writer Ernest Hemingway begins a romance with fellow scribe Martha Gellhorn.
0
London, 1956. Genius actor and film director Laurence Olivier is about to begin the shooting of his upcoming movie, premiered in 1957 as The Prince and the Showgirl, starring Marilyn Monroe. Young Colin Clark, who dreams on having a career in movie business, manages to get a job on the set as third assistant director.
1
An unemployed lingerie buyer convinces her bail bondsman cousin to give her a shot as a bounty hunter. Her first assignment is to track down a former cop on the run for murder – the same man who broke her heart years before. With the help of some friends and the best bounty hunter in the business, she slowly learns what it takes to be a true bounty hunter.
-3
Emily arrives in Miami with aspirations to become a professional dancer. She sparks with Sean, the leader of a dance crew whose neighborhood is threatened by Emily's father's development plans.
1
Loiter Squad is an American sketch comedy television series starring Tyler, The Creator, Jasper Dolphin, Taco Bennett, and Lionel Boyce from the Los Angeles hip hop group Odd Future. The show regularly features other members of the group as well. Jeff Tremaine, Shanna Zablow, Dimitry Elyashkevich, Lance Bangs, Nick Weidenfeld and Keith Crofford are the show's executive producers. The show is produced by Dickhouse Entertainment for Cartoon Network's Adult Swim programming block. The show's second season made its debut on March 10, 2013.
0
In Bolivia, Butch Cassidy (now calling himself James Blackthorne) pines for one last sight of home, an adventure that aligns him with a young robber and makes the duo a target for gangs and lawmen alike.
0
With footage shot in the center of Egypt's Tahrir Square from the beginning of the battles to the climax of the celebration, audiences experience first-hand the people-powered revolt that brought down a dictator and changed Egypt forever.
-1
Performance artist Marina Abramovic prepares for a major retrospective of her work at the Museum of Modern Art in New York.
2
An intimate look at the epochal financial crisis of 2008 and the powerful men and women who decided the fate of the world's economy in a matter of a few weeks.
1
Bobby Walker lives the proverbial American dream: great job, beautiful family, shiny Porsche in the garage. When corporate downsizing leaves him and two co-workers jobless, the three men are forced to re-define their lives as men, husbands and fathers.
2
A drama set in the world of horse racing focusing on lives of owners, jockeys, trainers and gamblers who are all tied to the same horse track.
0
An intimate view of the women whose images have defined our sense of beauty over the past five decades. An uncensored look at many of the biggest names in modeling, the movie reveals the stories behind the magazine covers displaying these multicultural pioneers. Each woman is candidly interviewed in the studio and shares her experiences, ideas on longevity, and philosophy of life in the fashion industry. Elegant archival footage and interviews with designer Calvin Klein and agency head Eileen Ford round out this absorbing chronicle.
3
As the home planet of the Green Lantern Corps faces a battle with an ancient enemy, Hal Jordan prepares new recruit Arisia for the coming conflict by relating stories of the first Green Lantern and several of Hal's comrades.
-2
Jack McCall is a fast-talking literary agent, who can close any deal, any time, any way. He has set his sights on New Age guru Dr. Sinja for his own selfish purposes. But Dr. Sinja is on to him, and Jack’s life comes unglued after a magical Bodhi tree mysteriously appears in his backyard. With every word Jack speaks, a leaf falls from the tree and he realizes that when the last leaf falls, both he and the tree are toast. Words have never failed Jack McCall, but now he’s got to stop talking and conjure up some outrageous ways to communicate or he’s a goner.
-5
Doubling as a cartography of the ever-changing city, Bill Cunningham New York portrays the secluded pioneer of street fashion with grace and heart.
1
Though the recession officially ended in summer 2009, the fallout continues for some 25 million unemployed and underemployed Americans, many of whom worked their way up the corporate ladder..
-2
Four men become fugitives after a failed drug deal, running from north to south of Chile.
-2
Academy Award®–winning documentary filmmaker Alex Gibney (Taxi to the Dark Side) explores the charged issue of pedophilia in the Catholic Church, following a trail from the first known protest against clerical sexual abuse in the United States and all way to the Vatican.
-4
Two high schoolers find hope as they fight to save an old wartime era clubhouse from destruction during the preparations for the 1964 Tokyo Olympics.
-1
A deeply religious black ex-con thwarts the suicide attempt of an asocial white college professor who tries to throw himself in front of an oncoming subway train, 'The Sunset Limited.' As the one attempts to connect on a rational, spiritual and emotional level, the other remains steadfast in his hard-earned despair. Locked in a philosophical debate, both passionately defend their personal credos and try to convert the other.
0
Two very different families converge on Martha's Vineyard one weekend for a wedding.
0
The Man of Steel finds himself outshone by a new team of ruthless superheroes who hold his idealism in contempt.
-1
An investigative and powerfully emotional documentary about the epidemic of rape of soldiers within the US military, the institutions that perpetuate and cover up its existence, and its profound personal and social consequences.
0
When down-on-his-luck part-time high school wrestling coach Mike agrees to become legal guardian to an elderly man, his ward's troubled grandson turns out to be a star grappler, sparking dreams of a big win -- until the boy's mother retrieves him.
0
The Heart, She Holler is a live action television series produced by PFFR for Adult Swim. The series, described as "Southern Gothic drama" and "an inside-out blend of soap opera and politically incorrect surrealist comedy," is about the long-lost son of the Heartshe dynasty – played by Patton Oswalt – returning to run the town and being locked in conflict with sisters Hurshe and Hambrosia. The show premiered on November 6, 2011, and its 14-episode second season premiered on September 11, 2013.

The title of the series is a play on words, in that the name of the family which controls the town is "Heartshe", and "Holler" is an Appalachian pronunciation of the word "hollow", meaning small valley, essentially making it "The Heartshe Hollow".
-4
In Oct. 2006, the U.S. government decided to build a 700-mile fence along its troubled 2000-mile-plus border with Mexico. Three years, 19 construction companies, 350 engineers, thousands of construction workers, tens of thousands of tons of metal and $3 billion later, was it all worth it?  When Arizona recently enacted one of the most extreme immigration laws in the country, the Obama administration responded by filing a lawsuit against the state. This dispute was merely the latest symptom of a greater national problem: the lack of a comprehensive, workable U.S. immigration policy. In its place, lawmakers have resorted to a series of half-measures, the most expensive of which — the U.S.-Mexico border fence — extends through the desert 150 miles south of the Arizona state capital.
-4
Lex Luthor enacts his plan to rid the world of Superman, once and for all. Succeeding with solar radiation poisoning, the Man of Steel is slowly dying. With what little times remains, the Last Son of Krypton must confront the revealing of his secret identity to Lois Lane and face Luthor in a final battle.
-2
After NBA star Kevin Durant switches talent with 16 year old Brian, the teenager becomes the star of his high school team, but Durant starts struggling and eventually learns an important lesson.
1
In 1973, the Loud family became a television sensation of a new kind. It was long before a metal rock star showed his eccentric family on the small screen and decades before housewives had screaming matches with each other on camera in public. CINEMA VERITE tells the behind-the-scenes story of the groundbreaking documentary "An American Family," which chronicled the lives of the Louds in the early 1970s and catapulted the Santa Barbara family to notoriety while creating a new television genre: the reality TV series.
-1
The chronicles of the lives of young urban adults in Budapest.
0
The inside story of the last days of a General Motors plant in Moraine, Ohio, as lived by the people who worked the line.
1
Dolores Hart left a successful Hollywood acting career to become a nun. A true story.
1
Scooby and the gang have their first musical mystery in “Scooby Doo: Music of the Vampire.” It begins when they take a sing-a-long road trip into bayou country to attend the “Vampire-Palooza Festival” – an outdoor fair dedicated to all things Draculian. At first it looks as if they’re in for some fun and lots of Southern snacks, but events soon turn scary when a real live vampire comes to life, bursts from his coffin and threatens all the townsfolk. On top of that, this baritone blood sucker seems intent on taking Daphne as his vampire bride! Could the vampire be a descendant of a famous vampire hunter who is trying to sell his book? Or perhaps he’s the local politician, who has been trying to make his name in the press by attacking the vampires as downright unwholesome. The answers are to be found in a final song-filled showdown in the swamp in which our heroes unmask one of their most macabre monsters yet.
0
A relaxing spa getaway evolves into a prehistoric panic when Scooby-Doo and the gang uncover the horrible Phantosaur, an ancient legend come to life to protect hidden treasures buried in secret desert caves. But this scare-a-saurus doesn’t stand a chance with Shaggy around, after he finds his inner hero with the help of new-age hypnosis. Like, it makes him more brave and less hungry!
1
Director Alfred Hitchcock is revered as one of the greatest creative minds in the history of cinema. Known for his psychological thrillers, Hitchcock’s leading ladies were cool, beautiful and preferably blonde. One such actress was Tippi Hedren, an unknown fashion model given her big break when Hitchcock’s wife saw her on a TV commercial. Brought to Universal Studios, Hedren was shocked when the director, at the peak of his career, quickly cast her to star in his next feature, 1963’s The Birds. Little did Hedren know that as ambitious and terrifying as the production would be to shoot, the most daunting aspect of the film ended up coming from behind the camera.
3
Every year hundreds of people - mostly women - are attacked with acid in Pakistan. Follow several of these survivors, their fight for justice, and a Pakistani plastic surgeon who has returned to his homeland to help them restore their faces and their lives.
1
China, IL – meaning "China, Illinois" – is an animated television series for the cable network Adult Swim. The series is created by Brad Neely, and features Neely's existing characters from the China, IL web series and special. Characters include Frank and Steve Smith, aka "The Professor Brothers," and Mark "Baby" Cakes. Neely provides the voice for all three characters. The series is produced by Williams Street and animated by Titmouse, Inc. China, IL has been renewed for a second season with the possibility of a new half-hour runtime.

On May 25, 2008, Adult Swim ran The Funeral, an 11-minute special which was streamed on the now defunct Super Deluxe website. The special combined Brad Neely's Professor Brothers and Baby Cakes webseries, which were also streamed at Super Deluxe, and established a larger environment for the characters. The special, as well as Brad Neely's other videos, can be viewed at Neely's YouTube page.
3
Documentary film interviews leading Latinos on race, identity, and achievement.
2
Documentary about British fashion designer Ozwald Boateng.
0
HBO Digital Comedy.
0
Alexandra Pelosi's patriotic travelogue crisscrosses the U.S. to attend naturalization ceremonies in all 50 states and listens to recent immigrants from around the world explain their decision to become American citizens. The film is inspired by the naturalization process experienced by Pelosi's Dutch-born husband, Michiel Vos.
1
.Americans have had a long love affair with dogs, with many of us referring to our canine companions as best friends, significant others, soul mates, even children. But lost amidst all the pampering and pedestaling are hard and often tragic truths surrounding dog ownership, care and commerce, not to mention the daunting odds continuing to face millions of unwanted shelter dogs. Divided into three parts – “Fear,” “Loss” and “Betrayal” – this 73-minute documentary is comprised of eight case studies that probe the complicated and conflicted relationship we have with canines. Collectively, the segments reveal the sobering realities behind our relationship with dogs, showing not only how far some dog lovers will go for their pets, but how far we as nation have to go in order to treat all dogs humanely.
-7
Thirty years after Ford Motor Company began dumping toxic waste in their backyard--and after one too many premature deaths--the Ramapo Mountain Indians filed a major class-action lawsuit: Mann v. Ford. This compelling documentary reveals the story of how this tiny tribe and their team of passionate lawyers took on the 'big dogs'--Ford and the Environmental Protection Agency.
-2
An HBO documentary, takes a ‘personal, not political’ look at George H.W. Bush, the 41st president of the United States.
0
Feminist icon Gloria Steinem is interviewed by Peter Kunhardt as she discusses her childhood, her career, the women's movement, and her personal life
0
An intimate portrait of three young afghan women accused of committing "moral crimes."
0
The Official Film of the XXXth Olympic Games to be held in London, following the stories of twelve first-time Olympians from around the world.
0
A documentary covering the 2010 Olympic Games in Vancouver.
0
Comedy superstar George Lopez performs live in front of a packed house at the Nokia Theatre in L.A. in this stand-up special.
0
On March 25, 1911, a catastrophic fire broke out at the Triangle Waist Company in New York City. Trapped inside the upper floors of a ten-story building, 146 workers - mostly young immigrant women and teenage girls - were burned alive or forced to jump to their deaths to escape an inferno that consumed the factory in just 18 minutes. It was the worst disaster at a workplace in New York State until 9/11. The tragedy changed the course of history, paving the way for government to represent working people, not just business, for the first time, and helped an emerging American middle class to live the American Dream.
-7
Documentary film interviews leading Latinos on race, identity, and achievement.
2
HBO Documentary Films Presents the story of the effort to save the 895th surviving oiled pelican in Louisiana, showing how conservationists, government agencies and wildlife activists joined forces to preserve this one life.
0
Every third Monday of the month, two bold, brassy sisters open the doors of their Long Island hair salon to women diagnosed with cancer. As locks of hair fall to the floor, women gossip, giggle, weep, face their fears, and discover unexpected beauty.
-5
THE EDUCATION OF MOHAMMAD HUSSEIN is an intimate look at how the largest Muslim community in America responds to the provocations of an anti-Islamic preacher. Through the eyes of children, the film examines what it is like to come of age as a Muslim in the United States ten years post 9/11.
1
In this 80-minute documentary, three 10-year-old children leave their native countries to participate in one of the Islamic world’s most famous competitions, a test of memory and recitation known as The International Holy Koran Competition. Up against much older students, these youngsters have committed the 600 pages of the Koran to memory, and will put their skills to the test before the elite of the world’s Muslim community in Cairo, Egypt. In the midst of this intense international competition, the three young competitors –two boys from Senegal and Tajikistan, and one girl from the Maldives – face uncertain futures at home, as they are caught between fundamentalist and moderate visions of Islam.  The children discuss their recitation techniques – with accompanying, completely improvised melodies – and talk about their nerves and excitement as they finally compete before a panel of judges.
3
In this follow-up to 'Afghan Star,' filmmaker Havana Marking returns to Afghanistan to check in on infamous contestant Setara from the popular Afghan talent show of the same name. The film looks at where Setara is now and the impact that her controversial performance has had on her life and her country, including ever-present threats to her safety.
-1
For four decades comic genius Mel Brooks and talk show king Dick Cavett have partnered to give the world scintillating conversation and sidesplitting humor. In 2010 they reunited on stage to share show business memories and hilarious stories for loyal fans and a new generation of viewers.
3

0
Rick is a mentally-unbalanced but scientifically gifted old man who has recently reconnected with his family. He spends most of his time involving his young grandson Morty in dangerous, outlandish adventures throughout space and alternate universes. Compounded with Morty's already unstable family life, these events cause Morty much distress at home and school.
-2
Major Bill Cage is an officer who has never seen a day of combat when he is unceremoniously demoted and dropped into combat. Cage is killed within minutes, managing to take an alpha alien down with him. He awakens back at the beginning of the same day and is forced to fight and die again... and again - as physical contact with the alien has thrown him into a time loop.
-2
An American anthology police detective series utilizing multiple timelines in which investigations seem to unearth personal and professional secrets of those involved, both within or outside the law.
0
A half-hour satirical look at the week in news, politics and current events.
-1
When 2% of the world's population abruptly disappears without explanation, the world struggles to understand just what they're supposed to do about it. The drama series 'The Leftovers' is the story of the people who didn't make the cut.
-2
A fading actor best known for his portrayal of a popular superhero attempts to mount a comeback by appearing in a Broadway play. As opening night approaches, his attempts to become more altruistic, rebuild his career, and reconnect with friends and family prove more difficult than expected.
2
Banshee is an American drama television series set in a small town in Pennsylvania Amish country and features an enigmatic ex-con posing as a murdered sheriff who imposes his own brand of justice while also cooking up plans that serve his own interests.
0
Bourdain travels across the globe to uncover little-known areas of the world and celebrate diverse cultures by exploring food and dining rituals. Known for his curiosity, candor, and acerbic wit, Bourdain takes viewers off the beaten path of tourist destinations – including some war-torn parts of the world – and meets with a variety of local citizens to offer a window into their lifestyles, and occasionally communes with an internationally lauded chef on his journeys.
0
In the high-tech gold rush of modern Silicon Valley, the people most qualified to succeed are the least capable of handling success. Partially inspired by Mike Judge’s own experiences as a Silicon Valley engineer in the late ‘80s, Silicon Valley is an American sitcom that centers around six programmers who are living together and trying to make it big in the Silicon Valley.
6
With his wife's disappearance having become the focus of an intense media circus, a man sees the spotlight turned on him when it's suspected that he may not be innocent.
-1
The Grand Budapest Hotel tells of a legendary concierge at a famous European hotel between the wars and his friendship with a young employee who becomes his trusted protégé. The story involves the theft and recovery of a priceless Renaissance painting, the battle for an enormous family fortune and the slow and then sudden upheavals that transformed Europe during the first half of the 20th century.
6
Two brothers, Wirt and Greg, find themselves lost in the Unknown; a strange forest adrift in time. With the help of a wise old Woodsman and a foul-tempered bluebird named Beatrice, Wirt and Greg must travel across this strange land, in hope of finding their way home. Join them as they encounter surprises and obstacles on their journey through the wood.
-4
While attending a party at James Franco's house, Seth Rogen, Jay Baruchel and many other celebrities are faced with the apocalypse.
-1
A mild-mannered college professor discovers a look-alike actor and delves into the other man's private affairs.
0
An ordinary Lego mini-figure, mistakenly thought to be the extraordinary MasterBuilder, is recruited to join a quest to stop an evil Lego tyrant from gluing the universe together.
-2
An adaptation of F. Scott Fitzgerald's Long Island-set novel, where Midwesterner Nick Carraway is lured into the lavish world of his neighbor, Jay Gatsby. Soon enough, however, Carraway will see through the cracks of Gatsby's nouveau riche existence, where obsession, madness, and tragedy await.
0
While holidaying in the French Alps, a Swedish family deals with acts of cowardliness as an avalanche breaks out.
-2
Dr. Ryan Stone, a brilliant medical engineer on her first Shuttle mission, with veteran astronaut Matt Kowalsky in command of his last flight before retiring. But on a seemingly routine spacewalk, disaster strikes. The Shuttle is destroyed, leaving Stone and Kowalsky completely alone-tethered to nothing but each other and spiraling out into the blackness of space. The deafening silence tells them they have lost any link to Earth and any chance for rescue. As fear turns to panic, every gulp of air eats away at what little oxygen is left. But the only way home may be to go further out into the terrifying expanse of space.
-4
A timid magazine photo manager who lives life vicariously through daydreams embarks on a true-life adventure when a negative goes missing.
-2
Set in downtown New York in 1900, 'The Knick' is centered on the Knickerbocker Hospital and the groundbreaking surgeons, nurses and staff who work there, pushing the bounds of medicine in a time of astonishingly high mortality rates and zero antibiotics.

John Thackery is a brilliant surgeon pioneering new methods in the field, despite his secret addiction to cocaine. He leads a team of doctors including his protégé Dr. Everett Gallinger; the young Dr. Bertie Chickering Jr. and Dr. Algernon Edwards, a promising surgeon who's been recently thrust upon him. The lively cast of characters at the hospital also includes Cornelia Robertson, the daughter of its benefactor, Captain August Robertson; surly ambulance driver Tom Cleary; Lucy Elkins; a fresh-faced nurse from the country; the crooked hospital administrator Herman Barrow; and Sister Harriet, a nun who isn't afraid to speak her mind.
6
When Lou Bloom, desperate for work, muscles into the world of L.A. crime journalism, he blurs the line between observer and participant to become the star of his own story. Aiding him in his effort is Nina, a TV-news veteran.
-1
Set in a post-apocalyptic world, young Thomas is deposited in a community of boys after his memory is erased, soon learning they're all trapped in a maze that will require him to join forces with fellow “runners” for a shot at escape.
-1
Everyone knows the name Commissioner Gordon. He is one of the crime world's greatest foes, a man whose reputation is synonymous with law and order. But what is known of Gordon's story and his rise from rookie detective to Police Commissioner? What did it take to navigate the multiple layers of corruption that secretly ruled Gotham City, the spawning ground of the world's most iconic villains? And what circumstances created them – the larger-than-life personas who would become Catwoman, The Penguin, The Riddler, Two-Face and The Joker?
-2
A young boy takes his mother's place in a group of gemstone-based beings, and must learn to control his powers.
0
The true story of Captain Richard Phillips and the 2009 hijacking by Somali pirates of the US-flagged MV Maersk Alabama, the first American cargo ship to be hijacked in two hundred years.
0
A young boy learns that he has extraordinary powers and is not of this earth. As a young man, he journeys to discover where he came from and what he was sent here to do. But the hero in him must emerge if he is to save the world from annihilation and become the symbol of hope for all mankind.
1
In a world divided into factions based on personality types, Tris learns that she's been classified as Divergent and won't fit in. When she discovers a plot to destroy Divergents, Tris and the mysterious Four must find out what makes Divergents dangerous before it's too late.
-5
Based on Robert Saviano's bestselling book, this gritty Italian crime drama paints a portrait of the brutal Neapolitan crime organisation the Camorra, as seen through the eyes of Ciro Di Marzo, the obedient and self- confident right-hand man of the clan's godfather, Pietro Savastano.
-3
The Dwarves, Bilbo and Gandalf have successfully escaped the Misty Mountains, and Bilbo has gained the One Ring. They all continue their journey to get their gold back from the Dragon, Smaug.
3
A look at a seemingly placid New England town that is actually wrought with illicit affairs, crime and tragedy, all told through the lens of Olive, whose wicked wit and harsh demeanor mask a warm but troubled heart and staunch moral center. The story spans 25 years and focuses on Olive's relationships with her husband, Henry, the good-hearted and kindly town pharmacist; their son, Christopher, who resents his mother's approach to parenting; and other members of their community.
-4
When Chef Carl Casper suddenly quits his job at a prominent Los Angeles restaurant after refusing to compromise his creative integrity for its controlling owner, he is left to figure out what's next. Finding himself in Miami, he teams up with his ex-wife, his friend and his son to launch a food truck. Taking to the road, Chef Carl goes back to his roots to reignite his passion for the kitchen -- and zest for life and love.
4
As a new day begins in the town of Silverton, its residents have little reason to believe it will be anything other than ordinary. Mother Nature, however has other plans. In the span of just a few hours, an unprecedented onslaught of powerful tornadoes ravages Silverton. Storm trackers predict that the worst is still to come, as terrified residents seek shelter, and professional storm-chasers run toward the danger, hoping to study the phenomenon close up and get a once-in-a-lifetime shot.
-3
Ivan Locke has worked hard to craft a good life for himself. Tonight, that life will collapse around him. On the eve of the biggest challenge of his career, Ivan receives a phone call that sets in motion a series of events that will unravel his family, job, and soul.
-1
When his best friend and podcast co-host goes missing in the backwoods of Canada, a young guy joins forces with his friend's girlfriend to search for him.
0
As a cowardly farmer begins to fall for the mysterious new woman in town, he must put his new-found courage to the test when her husband, a notorious gun-slinger, announces his arrival.
-3
Based on the classic novel by Orson Scott Card, Ender's Game is the story of the Earth's most gifted children training to defend their homeplanet in the space wars of the future.
2
A veteran pot dealer creates a fake family as part of his plan to move a huge shipment of weed into the U.S. from Mexico.
-2
Dale, Kurt and Nick decide to start their own business but things don't go as planned because of a slick investor, prompting the trio to pull off a harebrained and misguided kidnapping scheme.
0
Recently divorced mom Lauren and widowed dad Jim let their friends push them into a blind date, which goes disastrously wrong. Unsurprisingly, neither wants to see the other ever again. However, fate intervenes when both Jim and Lauren, unbeknown to each other, purchase one-half of the same vacation package at a South African resort for families. They and their children are forced to share the same suite and participate in a slew of family activities together, where their attractions grows as their respective kids benefit from the burgeoning relationship.
-1
A couple with a newborn baby face unexpected difficulties after they are forced to live next to a fraternity house.
-2
Sutter, a popular party animal, unexpectedly meets the introverted Aimee after waking up on a stranger's lawn. As Sutter deals with the problems in his life and Aimee plans for her future beyond school, an unexpected romance blossoms between them.
-2
Uptight and straight-laced, FBI Special Agent Sarah Ashburn is a methodical investigator with a reputation for excellence--and hyper-arrogance. Shannon Mullins, one of Boston P.D.'s "finest," is foul-mouthed and has a very short fuse, and uses her gut instinct and street smarts to catch the most elusive criminals. Neither has ever had a partner, or a friend for that matter. When these two wildly incompatible law officers join forces to bring down a ruthless drug lord, they become the last thing anyone expected: buddies.
0
Kai—an outcast—joins Oishi, the leader of 47 outcast samurai.  Together they seek vengeance upon the treacherous overlord who killed their master and banished their kind.  To restore honour to their homeland, the warriors embark upon a quest that challenges them with a series of trials that would destroy ordinary warriors.
-4
A thriller set in New York City during the winter of 1981, statistically one of the most violent years in the city's history, and centered on the lives of an immigrant and his family trying to expand their business and capitalize on opportunities as the rampant violence, decay, and corruption of the day drag them in and threaten to destroy all they have built.
-7
A depressed musician reunites with his lover in the desolate streets of Detroit. Though their romance has endured several centuries, it is tested by the arrival of her capricious and unpredictable younger sister.
-3
10 years after a global economic collapse, a hardened loner pursues the men who stole his car through the lawless wasteland of the Australian outback, aided by the brother of one of the thieves.
-5
A couple begins to experience terrifying supernatural occurrences involving a vintage doll shortly after their home is invaded by satanic cultists.
0
Three friends in San Francisco who explore the fun and sometimes overwhelming options available to a new generation of gay men.
1
The journey of Manolo, a young man who is torn between fulfilling the expectations of his family and following his heart. Before choosing which path to follow, he embarks on an incredible adventure that spans three fantastical worlds where he must face his greatest fears.
1
Michael Carbonaro is a magician by trade, but a prankster by heart. Michael performs baffling tricks on unsuspecting people in everyday situations, all caught on hidden camera. Everyone is left stunned and delighted, even though they have no idea what just hit them.
-1
Robin, Starfire, Raven, Beast Boy and Cyborg return in all-new, comedic adventures. They may be super heroes who save the world every day ... but somebody still has to do the laundry!
2
Zach is devastated by the unexpected death of his girlfriend, Beth. When she mysteriously returns, he gets a second chance at love. Soon his whole world turns upside down...
-3
Four Navy SEALs on a covert mission to neutralize a high-level Taliban operative must make an impossible moral decision in the mountains of Afghanistan that leads them into an enemy ambush. As they confront unthinkable odds, the SEALs must find reserves of strength and resilience to fight to the finish.
-4
Bill Marks is a burned-out veteran of the Air Marshals service. He views the assignment not as a life-saving duty, but as a desk job in the sky. However, today's flight will be no routine trip. Shortly into the transatlantic journey from New York to London, he receives a series of mysterious text messages ordering him to have the government transfer $150 million into a secret account, or a passenger will die every 20 minutes.
-2
The Goodman family lives with their lovable pet dog, Mr. Pickles, a deviant border collie with a secret satanic streak.
1
One night per year, the government sanctions a 12-hour period in which citizens can commit any crime they wish -- including murder -- without fear of punishment or imprisonment. Leo, a sergeant who lost his son, plans a vigilante mission of revenge during the mayhem. However, instead of a death-dealing avenger, he becomes the unexpected protector of four innocent strangers who desperately need his help if they are to survive the night.
-9
At the NFL Draft, general manager Sonny Weaver has the opportunity to rebuild his team when he trades for the number one pick. He must decide what he's willing to sacrifice on a life-changing day for a few hundred young men with NFL dreams.
1
The haunted Lambert family seeks to uncover the mysterious childhood secret that has left them dangerously connected to the spirit world.
-1
Greek general Themistocles attempts to unite all of Greece by leading the charge that will change the course of the war. Themistocles faces the massive invading Persian forces led by mortal-turned-god, Xerxes and Artemesia, the vengeful commander of the Persian navy.
1
After discovering her boyfriend is married, Carly soon meets the wife he's been cheating on. And when yet another affair is discovered, all three women team up to plot mutual revenge on the three-timing SOB.
-4
Ford Brody, a Navy bomb expert, has just reunited with his family in San Francisco when he is forced to go to Japan to help his estranged father, Joe. Soon, both men are swept up in an escalating crisis when an ancient alpha predator arises from the sea to combat malevolent adversaries that threaten the survival of humanity. The creatures leave colossal destruction in their wake, as they make their way toward their final battleground: San Francisco.
-6
For Tammy, a burger-joint employee, a bad day keeps getting worse. She wrecks her car, loses her job and finds that her husband has been unfaithful. It's time for Tammy to hit the road, but without money or transportation, her options are limited. Her only choice is a road trip with her hard-drinking grandmother, Pearl, who has a car, cash and an itch to see Niagara Falls. It's not the escape Tammy had in mind, but it may be what she needs.
-8
A young woman learns that she has inherited a Texas estate from her deceased grandmother. After embarking on a road trip with friends to uncover her roots, she finds she is the sole owner of a lavish, isolated Victorian mansion. But her newfound wealth comes at a price as she stumbles upon a horror that awaits her in the mansion’s dank cellars.
-1
The Flash finds himself in a war-torn alternate timeline and teams up with alternate versions of his fellow heroes to restore the timeline.
1
It's a jungle out there for Blu, Jewel and their three kids after they're hurtled from Rio de Janeiro to the wilds of the Amazon. As Blu tries to fit in, he goes beak-to-beak with the vengeful Nigel, and meets the most fearsome adversary of all: his father-in-law.
-4
A chronicle of the life of Louis Zamperini, an Olympic runner who was taken prisoner by Japanese forces during World War II.
-1
BELLE is inspired by the true story of Dido Elizabeth Belle, the illegitimate mixed race daughter of a Royal Navy Admiral. Raised by her aristocratic great-uncle Lord Mansfield and his wife, Belle's lineage affords her certain privileges, yet the color of her skin prevents her from fully participating in the traditions of her social standing. Left to wonder if she will ever find love, Belle falls for an idealistic young vicar's son bent on change who, with her help, shapes Lord Mansfield's role as Lord Chief Justice to end slavery in England
0
Renovation, design and real estate pros Chip and Joanna Gaines are paired with Waco/Dallas, Texas-area buyers to renovate the wrong house that's in the right location.
0
Moments before his comeback performance, a concert pianist who suffers from stage fright discovers a note written on his music sheet.
-2
Two common criminals get more than they bargained for after kidnapping the wife of a corrupt real-estate developer who shows no interest in paying the $1 million dollar ransom for her safe return.
-1
When three women living on the edge of the American frontier are driven mad by harsh pioneer life, the task of saving them falls to the pious, independent-minded Mary Bee Cuddy. Transporting the women by covered wagon to Iowa, she soon realizes just how daunting the journey will be, and employs a low-life drifter, George Briggs, to join her. The unlikely pair and the three women head east, where a waiting minister and his wife have offered to take the women in. But the group first must traverse the harsh Nebraska Territories marked by stark beauty, psychological peril and constant threat.
-8
For the past two years, high-school security guard Ben has been trying to show decorated APD detective James that he's more than just a video-game junkie who's unworthy of James' sister, Angela. When Ben finally gets accepted into the academy, he thinks he's earned the seasoned policeman's respect and asks for his blessing to marry Angela. Knowing that a ride along will demonstrate if Ben has what it takes to take care of his sister, James invites him on a shift designed to scare the hell out of the trainee. But when the wild night leads them to the most notorious criminal in the city, James will find that his new partner's rapid-fire mouth is just as dangerous as the bullets speeding at it.
-3
Years after walking away from her past as a teenage private eye, Veronica Mars gets pulled back to her hometown - just in time for her high school reunion - in order to help her old flame Logan Echolls, who's embroiled in a murder mystery.
-4
Locked up for a minor crime, 19 year old JR quickly learns the harsh realities of prison life. Protection, if you can get it, is paramount. JR soon finds himself under the watchful eye of Australia's most notorious criminal, Brendan Lynch, but protection comes at a price.
-2
1962. A con artist, his wife, and a dangerous stranger are caught up in the murder of a private detective and are forced to try and escape Athens.
-3
Despite the tumor-shrinking medical miracle that has bought her a few years, Hazel has never been anything but terminal, her final chapter inscribed upon diagnosis. But when a patient named Augustus Waters suddenly appears at Cancer Kid Support Group, Hazel's story is about to be completely rewritten.
2
Overeducated and underemployed, 28 year old Megan is in the throes of a quarterlife crisis. Squarely into adulthood with no career prospects, no particular motivation to think about her future and no one to relate to, Megan is comfortable lagging a few steps behind - while her friends check off milestones and celebrate their new grown-up status. When her high-school sweetheart proposes, Megan panics and- given an unexpected opportunity to escape for a week - hides out in the home of her new friend, 16-year old Annika and Annika's world-weary single dad Craig.
-1
It's the ultimate buddy cop movie except for one thing: they're not cops.  When two struggling pals dress as police officers for a costume party, they become neighborhood sensations.  But when these newly-minted “heroes” get tangled in a real life web of mobsters and dirty detectives, they must put their fake badges on the line.
-3
Retired C.I.A. agent Frank Moses reunites his unlikely team of elite operatives for a global quest to track down a missing portable nuclear device.
1
Ray Breslin is the world's foremost authority on structural security. After analyzing every high security prison and learning a vast array of survival skills so he can design escape-proof prisons, his skills are put to the test. He's framed and incarcerated in a master prison he designed himself. He needs to escape and find the person who put him behind bars.
2
This extraordinary testament to survival from Emmy-winning producer/director Janet Tobias brings to light a story that remained untold for decades: that of thirty-eight Ukrainian Jews who survived World War II by living in caves for eighteen months. (TIFF)
1
This candid New York love story explores the chaotic 40-year marriage of famed boxing painter Ushio Shinohara and his wife, Noriko. Anxious to shed her role as her overbearing husband's assistant, Noriko finds an identity of her own.
-1
An immature, newly unemployed comic must navigate the murky waters of adulthood after her fling with a graduate student results in an unplanned pregnancy.
-3
Jep Gambardella has seduced his way through the lavish nightlife of Rome for decades, but after his 65th birthday and a shock from the past, Jep looks past the nightclubs and parties to find a timeless landscape of absurd, exquisite beauty.
1
An affable underachiever finds out he's fathered 533 children through anonymous donations to a fertility clinic 20 years ago. Now he must decide whether or not to come forward when 142 of them file a lawsuit to reveal his identity.
1
A dangerously unstable man addresses the unseen followers of his video log about his obsession with an old army buddy.
0
A live-action workplace comedy about Gary, an associate demon, as he attempts to capture souls on earth in order to climb the corporate ladder of the underworld. Gary hopes to advance in Hell, but he may be too stupid, lazy and kind-hearted to realize his dreams of promotion. Meanwhile, Gary's intern Claude is more talented, more devious and will do whatever it takes to impress Satan.
-3
The story of the onset of the HIV-AIDS crisis in New York City in the early 1980s, taking an unflinching look at the nation's sexual politics as gay activists and their allies in the medical community fight to expose the truth about the burgeoning epidemic to a city and nation in denial.
-3
A young wannabe musician  who discovers he has bitten off more than he can chew when he joins an eccentric pop band led by the mysterious and enigmatic Frank.
-1
After falling in love in Paris, Marina and Neil come to Oklahoma, where problems arise. Their church's Spanish-born pastor struggles with his faith, while Neil encounters a woman from his childhood.
-1
An American girl on holiday in the English countryside with her family finds herself in hiding and fighting for her survival as war breaks out.
0
Relu is a family man. He has two children, a wife and a double life. Seen through the eyes of his family, Relu Oncescu appears to be an ordinary taxi driver. No one suspects that Relu works as a collector for Capitanu', a local mobster. Neither of the two worlds (his family and the mafia) knows of the other's existence. Relu manages to keep everything under control, but not for long. After accidentally killing a man, he tries to get out of the underworld, but he can't find his way back. Day by day, the secrets he keeps become increasingly oppressive and the lies begin to surface, one by one.
-4
A cutting-edge documentary series from filmmaker Peter Berg that explores vital themes in society and culture through the unifying lens of sports.
0
Two parents fall in love over the course of a single day while playing hooky from their children's college tour.
0
Backup singers live in a world that lies just beyond the spotlight. Their voices bring harmony to the biggest bands in popular music, but we've had no idea who these singers are or what lives they lead, until now.
2
A behind-the-scenes look inside the case to overturn California's ban on same-sex marriage. Shot over five years, the film follows the unlikely team that took the first federal marriage equality lawsuit to the U.S. Supreme Court.
-1
Found inside a shining stalk of bamboo by an old bamboo cutter and his wife, a tiny girl grows rapidly into an exquisite young lady. The mysterious young princess enthrals all who encounter her. But, ultimately, she must confront her fate.
-1
Tim and Eric's dark comedy anthology series.
-1
A parasitic alien soul is injected into the body of Melanie Stryder. Instead of carrying out her race's mission of taking over the Earth, "Wanda" (as she comes to be called) forms a bond with her host and sets out to aid other free humans.
1
A family man succumbs to weakness and his failure to live a moral life condemns those he loves to an unspeakable horror. Only his path to redemption can save them.
-2
A young family moves into a historic home in Georgia, only to learn they are not the house's only inhabitants. Soon they find themselves in the presence of a secret rising from underground and threatening to bring down anyone in its path.
-1
Homeless and on the run from a military court martial, a damaged ex-special forces soldier navigating London's criminal underworld seizes an opportunity to assume another man's identity, transforming into an avenging angel in the process.
-1
This intimate documentary explores the life and career of the stage legend Stephen Sondheim through six of his best-known songs.
2
In 1988, a teenage girl's life is thrown into chaos when her mother disappears.
-1
Eight years after the disappearance of Cassandra, some disturbing incidents seem to indicate that she's still alive. Police, parents and Cassandra herself, will try to unravel the mystery of her disappearance.
-3
A salesman for a natural gas company experiences life-changing events after arriving in a small town, where his corporation wants to tap into the available resources.
1
Having admitted that he exploited his dwarf clients in the past Warwick finally comes good for them before receiving a visit from 'Willow' co-star Val Kilmer,anxious to make a sequel. However he tells Warwick that he must provide some of the funding so Warwick persuades Les Dennis,Keith Chegwin and Shaun Williamson to do series of pub gigs to get the finance. They are a huge hit and at the investors' meeting Warwick secures his capital. Agents Gervais and Merchant are wary and ask Warwick to consider why a potential blockbuster needs private money whilst factions appear in the come-back trio,requiring the intervention of spiritual guide Bryan Medici. As Warwick realises that Val may well have cheated him there is at least huge reassurance in the solidarity which now exists with his clients.
3
A documentary detailing an indiscriminate terrorist attack that left 71 dead in Kenya.
-3
A family man experiences the tremendous burden of leading a double life as a professional hitman.
0
A TV series finds Jesus living in present day Compton, CA on a daily mission to spread love and kindness throughout the neighborhood with the help of his small but loyal group of downtrodden followers.
3
Nathan Flomm, in order to avoid the humiliation of having missed out on a hugely successful business, assumes a new identity on Martha's Vineyard. He plots revenge when his former business partner moves to the same town.
-3
Follows the behind-the-scenes work of Studio Ghibli, focusing on the notable figures Hayao Miyazaki, Isao Takahata, and Toshio Suzuki.
1
A lifelong love of flight inspires Japanese aviation engineer Jiro Horikoshi, whose storied career includes the creation of the A-6M World War II fighter plane.
1
Batman has stopped the reign of terror that The Mutants had cast upon his city.  Now an old foe wants a reunion and the government wants The Man of Steel to put a stop to Batman.
-2
Set in a geriatric extended care wing of a down-at-the-heels hospital, Getting On follows put-upon nurses, anxious doctors and administrators as they struggle with the darkly comic, brutally honest and quietly compassionate realities of caring for the elderly.
-1
Batman works desperately to find a bomb planted by the Joker while Amanda Waller sends her newly-formed Suicide Squad to break into Arkham Asylum and recover vital information stolen by the Riddler.
-4
Through the voices of Americans from all walks of life, The Out List explores the identities of the lesbian, gay, bisexual, and transgender community in America. In this series of intimate interviews, a diverse group of LGBTQ personalities bring color and depth to their experiences of gender and sexuality. With wit and wisdom, this set of trailblazing individuals weaves universal themes of love, loss, trial, and triumph into the determined struggle for full equality.
2
The world is under attack by an alien armada led by the powerful Apokoliptian, Darkseid. A group of superheroes consisting of Superman, Batman, Wonder Woman, The Flash, Green Lantern, Cyborg, and Shazam must set aside their differences and gather together to defend Earth.
2
Mike Tyson's one-man show is a fascinating journey into his storied life and career.  MIKE TYSON: UNDISPUTED TRUTH is a rare, personal look inside the life and mind of one of the most feared men ever to wear the heavyweight crown. Directed by Academy Award® nominee Spike Lee, this riveting one-man show goes beyond the headlines, behind the scenes and between the lines to deliver a must-see theatrical knockout.
2
Set during Bruce Wayne's early years as the Batman, following his initial period of battling organized crime. He hones his skills with the assistance of his butler, Alfred Pennyworth. Bruce is introduced to Alfred's goddaughter, Tatsu Yamashiro. Tatsu is a martial arts swordsmaster hired to act as Bruce's bodyguard, but also recruited to act as a superhero partner to Batman.
0
Batman learns he has a violent, unruly pre-teen son, secretly raised by the terrorist group known as The League of Assassins.
-3
Rising comedy star Jerrod Carmichael takes to the stage of The Comedy Store in Hollywood, CA where he comically subverts such subjects as poverty, wealth, crime and race and presents his unique take on national tragedies, female empowerment, and more.
-2
A feature documentary about Jackie "Moms" Mabley, an African-American stand-up comic and show-biz pioneer who emerged from the Chitlin' Circuit of African-American Vaudeville to become a mainstream star. Once billed as "The Funniest Woman in the World," Mabley pushed the boundaries of comedy by tackling topics such as gender, sex, and racism and performed up until her death in 1975. A true passion project for first-time director Whoopi Goldberg, the documentary shows Mabley's historical significance and profound influence as a performer vastly ahead of her time.
0
A romantic comedy that brings together three disparate characters who are learning to face a challenging and often confusing world as they struggle together against a common demon—sex addiction.
-2
A drama centered on the relationship between Phil Spector and defense attorney Linda Kenney Baden while the music business legend was on trial for the murder of Lana Clarkson.
-1
Based on the autobiographical novel, the tempestuous 6-year relationship between Liberace and his (much younger) lover, Scott Thorson, is recounted.
1
After spending 12 years in prison for keeping his mouth shut, notorious safe-cracker Dom Hemingway is back on the streets of London looking to collect what he's owed.
-2
Stuart Pritchard is an awkward, overly-confident Englishman trying to date in Los Angeles – where he repeatedly attempts to infiltrate the world of beautiful people.
0
A true immigrant story set against the vibrant backdrop of Flushing, N.Y. in the 1980s and 1990s.
1
Superman and Supergirl take on the cybernetic being known as Brainiac, who boasts that he possesses "the knowledge and strength of 10,000 worlds."
0
Filmmaker Rory Kennedy interviews her mother, Ethel Kennedy, who discusses family, marriage and politics.
0
Charles Swan III, a successful graphic designer, has it all: fame, money and devilish charm that have provided him with a seemingly perfect life. But when a perplexing beauty named Ivana suddenly ends their relationship, Charles is left heartbroken. With the support of his loyal intimates - Kirby, Saul, and his sister, Izzy – Charles begins a delirious journey of self-reflection to try and come to terms with a life without Ivana. "A Glimpse Inside the Mind of Charles Swan III" is an unconventional melodrama told in a bold and playful style.
6
Upon being sent to live with relatives in the countryside due to an illness, an emotionally distant adolescent girl becomes obsessed with an abandoned mansion and infatuated with a girl who lives there - a girl who may or may not be real.
-1
Karin, Magali and Luna are three call girls, who decide to apply some marketing knowledge on the world's oldest profession.
0
Get ready for a battle of the ages when the Justice League faces off against its archenemies, the Legion of Doom, in an all-new movie from DC Comics. A mysterious being known as the Time Trapper arises, and a sinister plan led by Lex Luthor sends the Legion of Doom back in time to eliminate Superman, Wonder Woman and Batman before they become super heroes. For Aquaman, Flash and Cyborg, along with teen super heroes Karate Kid and Dawnstar, the stakes have never been higher, the rescue mission never deadlier. So join the fight for the future as the Justice League confronts its ultimate challenge… the threat of having never existed!
2
Wealthy American housewife Mary Morgan takes her bullied son George out of school for home education,including a trip to Southern Africa. Whilst in Mozambique George is bitten by a mosquito which crawls through a hole in his net and dies of malaria. After his funeral at home Mary feels a compulsion to return to Africa where she meets English woman Martha O'Connell,whose 24 year old son Ben, a teacher with voluntary service overseas,has also died of malaria. Ben gave his net to one of his pupils,believing adults cannot catch malaria. The two women are shocked to see the high death rate caused by the disease and,whilst Martha stays in Africa as a voluntary helper,Mary petitions the American government to change things. Martha turns up at Mary's house unannounced and,helped by Mary's ex-diplomat father,they address a senate committee on health spending,persuading them to do more to combat malaria. They meet with some success though a coda states that much more can be done.
-1
An unexpected pregnancy takes a terrifying turn for newlyweds Zach and Samantha McCall.
-1
Joker teams up with Lex Luthor to destroy the world one brick at a time. It's up to Batman, Superman and the rest of the Justice League to stop them.
-2
An espionage tale from inside the CIA's long conflict against Al Qaeda, as revealed by the remarkable women and men whose secret war against Osama bin Laden started nearly a decade before most of us even knew his name.
0
Having recently lost his job and his girlfriend, 30-year-old Tom Chadwick has a rather unsure sense of his own identity. But when he inherits a mysterious box of belongings from a great aunt he never met, Tom starts investigating his lineage and uncovers a whole world of unusual stories and characters, acquiring a growing sense of who he and his real family are.
-3
Literal and creationist interpretation of the Bible is the fastest-growing branch of Christianity in the U.S. This film takes an in-depth look at the views of these Christians who reject Charles Darwin's theory of evolution--while also examining how Darwin handled the question of God himself as he developed his theory of natural selection in the mid-1800s.
0
All-stars from the previous Step Up installments come together in glittering Las Vegas, battling for a victory that could define their dreams and their careers.
1
One clear summer day in a Baltimore suburb, a baby goes missing from her front porch. Two young girls serve seven years for the crime and are released into a town that hasn't fully forgiven or forgotten. Soon, another child is missing, and two detectives are called in to investigate the mystery in a community where everyone seems to have a secret.
-1
In the early-morning hours of July 23, 2007, in Cheshire, Conn., ex-convicts Steven Hayes and Joshua Komisarjevsky broke into the family home of William Petit, his wife, Jennifer, and their daughters, Michaela, 11, and Hayley, 17. Dr. Petit was beaten and tied to a pole in the basement. The three women were bound in their bedrooms while the men ransacked the house. The brutal ordeal continued throughout the morning, ending with rape, arson and a horrific triple homicide.
-5
According to the U.S. Department of Veterans Affairs, one veteran dies by suicide in America every 80 minutes. While only 1% of Americans has served in the military, former service members account for 20% of all suicides in the U.S. Based in Canandaigua, NY and open 24 hours a day, 365 days a year, the Veterans Crisis Line receives more than 22,000 calls each month from veterans of all conflicts who are struggling or contemplating suicide. This timely documentary spotlights the traumas endured by America’s veterans, as seen through the work of the hotline’s trained responders. CRISIS HOTLINE captures extremely private moments, where the professionals, many of whom are themselves veterans or veterans’ spouses, can often interrupt the thoughts and plans of suicidal callers to steer them out of crisis.
-9
Two years ago, Josh Fox introduced us to hydraulic fracturing with his Oscar®-nominated exposé Gasland. Now this once-touted energy source has become a widely discussed, contentious topic. In his follow-up, Fox reveals the extreme circumstances facing those affected by fracking, from earthquakes to the use of federal anti-terror psychological operations tactics. Gasland Part II is the definitive proof that issues raised by fracking cannot be ignored for long.
-2
A street-wise teen from Baltimore who has been raised by a single mother travels to New York City to spend the Christmas holiday with his estranged relatives, where he embarks on a surprising and inspirational journey.
0
Progeria is a rare, fatal genetic condition that causes accelerated aging in children; its young victims rarely live past 13. This moving documentary explores the remarkable world of Sam Berns and the relentless pursuit of a treatment and cure by his parents (both doctors) to save their son from the disease.
0
Acclaimed actor and FDNY veteran Steve Buscemi looks at what it's like to work as a New York City firefighter. Utilizing exclusive behind-the-scenes footage and firsthand accounts from past and present firefighters, explore life in one of the world's most demanding fire departments while illuminating the lives of the often 'strong and silent' heroes.
6
In her first-ever HBO solo special, Sarah Silverman takes the stage for an evening of adults-only stand-up comedy. Taped live in front of an intimate audience of 39 fans at Largo, a music and comedy club in Los Angeles, Sarah Silverman: We Are Miracles features Silverman taking aim at such subjects as cell-phone porn, crazy religions, specialty deodorants, terrible roommates, eyebrow waxing, her 19-year-old dog, Obama and Republicans, having babies, Pixar movies, the miracle of existence, and more.
1
Elephants are among the most majestic and intelligent creatures on Earth--but for hundreds of years, they have suffered at the hands of humans. Narrated by Lily Tomlin, this documentary short traces our long history with elephants and explores the many problems that arise when they are brought to live in captivity in zoos and circuses.
0
After being released from prison, Bobby goes back to the mob connected streets. When forced to make a life altering decision the truth is revealed that he was too blind to see.
-2
Ernie Hudson and Angie Kim star in this short film about a customer not wanting to leave a Karaoke Bar. A night without closure.
0
In 700 Sundays, legendary comedian and actor Billy Crystal tells the stories of his youth, growing up in the jazz world of Manhattan, his teenage years, and finally adulthood. The Tony Award-winning show is a funny and poignant exploration of family and fate, loving and loss.
1
A pair of star-crossed dancers in New York find themselves at the center of a bitter rivalry between their brothers' underground dance clubs.
-2
Join Scooby-Doo, Shaggy and the Mystery Inc. crew as they head to Chicago for Talent Star, a hit talent show in which Fred and Daphne are finalists with some high hopes. Unlucky for them, the competition is frightful as the show is being broadcast from an opera house with a history of horrors and a particularly vengeful phantom that has cursed the show's production.
-3
The Mega Mondo Pop Cartoon-a-Con in sunny California marks the spot for mystery in this all-new original Scooby-Doo adventure! Herculoids Frankenstein Jr. and Space Ghost are just a few of the celebrated comic book characters headlining at the unconventional convention plus there's a megabucks movie premiere starring Scooby-Doo and Shaggy's all-time favorite super heroes Blue Falcon and Dynomutt! So when the gruesome villain Mr. Hyde unleashes monster bats howling hounds and sinister slime upon the festivities it's time for Mystery Incorporated to follow the clues and set their monster traps. But it's the pizza-snacking super-powered tag team of Shaggy and Scooby-Doo who tap into their inner super hero to prevent the entire event from being smothered in ghoulish green goo! Like right on Dog Wonder!
1
The mystery begins when Shaggy and Scooby win tickets to "WrestleMania" and convince the crew to go with them to WWE City. But this city harbors a spooky secret - a ghastly Ghost Bear holds the town in his terrifying grip! To protect the coveted WWE Championship Title, the gang gets help from WWE Superstars like John Cena, Triple H, Sin Cara, Brodus Clay, AJ Lee, The Miz and Kane. Watch Scooby and the gang grapple with solving this case before it's too late.
-2
Scooby-Doo and those "meddling kids" Shaggy, Fred, Daphne and Velma are back in this all-new original movie! Velma discovers she's inherited her great-great-uncle Dr. Von Dinkenstein’s cursed castle in the terrifying town of Transylvania…Pennsylvania, that is. Just when the Gang persuades Velma to go claim her inheritance, the ghost of Dinkenstein Castle blows up the Mystery Machine as a warning! Now the Crew must spring back into action, but this time it's personal! Who's responsible for the Dinkenstein monster? What family secret has Velma been hiding? Will Fred recover from the loss of his beloved Mystery Machine? Can any helpless snack survive Scooby and Shaggy's monster-sized appetites? This Scooby-Doo adventure has enough spooky fun to make the whole family come alive!
-5
12-year-old Henry ‘Hank’ Zipzer is a smart and resourceful boy with a unique perspective on the world. Hank has dyslexia, and when problems arise, he deals with them in a way no-one else would – putting him on a direct collision course with his teachers and parents, who don’t seem to appreciate his latest scheme as much as he thought they would... But, Hank always remains positive and convinced that the next big plan will deliver – after all, tomorrow is another day!
3
A pair of high school rappers have two major goals - make music and get hot girls. The best way to get both is to throw the biggest and best house party ever! The night of the party, one of the boys is grounded by his parents, so it's up to his best friend to break him out of his house confinement and get the party started.
3
The ups and downs of three couples living in Prague and their interconnected love triangles.
1
Muhammad Ali’s historic Supreme Court battle from behind closed doors. When Ali was drafted into the Vietnam War at the height of his boxing career, his claim to conscientious objector status led to a controversial legal battle that rattled the U.S. judicial system right up to the highest court in the land.
2
In the spring of 1939, Gilbert and Eleanor Kraus embarked on a risky and unlikely mission. Traveling into the heart of Nazi Germany, they rescued 50 Jewish children from Vienna and brought them to the United States.
-2
This is the story of a year in the life of one mother whose daily struggles illuminate the challenges faced by more than 42 million American women and the 28 million children who depend on them.
0
Miss You Can Do It chronicles Abbey Curran, Miss Iowa USA 2008 and the first woman with a disability to compete at the Miss USA Pageant, and eight girls with various physical and intellectual disabilities as the girls participate in the Miss You Can Do It Pageant. Abbey founded the annual Miss You Can Do It Pageant in 2004 and girls and their families travel from all around the country to participate in this one night where their inner beauty and abilities reign.
-4
From 1971 to 1973, Richard Nixon secretly recorded his private conversations in the White House. This film chronicles the content of those tapes, which include Nixon's conversations on the war in Vietnam, the Pentagon Papers leak, his Supreme Court appointments, and more--while also exposing shocking statements he made about women, people of color, Jews, and the media.
-1
Filmmaker Alan Berliner documents his first cousin, the poet-translator Edwin Honig, as he succumbs to Alzheimer's.
0
Ten American couples--captured in the comfort of their own beds--openly discuss romance, sex, trust and love in candid interviews. From young New Yorkers who have split up 26 times to spouses in their 90s who have been married 71 years, this touching, funny and often surprising film offers intimate insights into what makes or breaks a relationship.
2
The brutal trilogy of light-welterweight fights between Arturo 'Thunder' Gatti and 'Irish' Mickey Ward is the focus of this documentary.
-1
The growing obsession of parents in the scholastic athletic competition of their children is the focus of this first installment in HBO Sports innovative new documentary series. Each new edition spotlights a topic or person whose impact on the sports world is undeniable, opening with a brief overview, followed by a verite documentary and a roundtable discussion.
2
An intriguing case lands on Mandrake's desk. Just when he thinks he has it solved, some unexpected news changes the course of events.
0
Includes the concert film, a “making of the concert” 30 minute documentary film shot in Puerto Vallarta, Riviera Nayarit, and Guadalajara, entitled “Live It To Believe It,” along with a live CD from December 14, 2013.  Superstar performances at this concert event include Elan Atias, Chocquibtown, Lila Downs, Gloria Estefan, Juanes, Miguel, Fher Olvera (of Mana), Niña Pastori, Samuel Rosa (of Skank), Cindy Blackman Santana, Salvador Santana, Romeo Santos, Soledad, and Diego Torres.
1
Albuquerque-born boxer Johnny Tapia's life was a maelstrom of turmoil. The glory of his punishing ring prowess and handful of world titles across three weight classes forever jockeyed with personal demons: his mother's kidnapping and murder when he was 8, drug addiction, mental illness and suicide attempts.
-3
In 2004, New Jersey Governor Jim McGreevey resigned his office on national television, coming out as a homosexual and admitting to an extramarital affair in the process. This documentary follows him in the near decade since that moment as McGreevey struggles to find his path in religion and serving the community he still loves.
-1
Take a uniquely Latina view of life in the United States in this no-holds-barred 10th installment in the 'Habla' series. From a newspaper CEO-publisher to an Olympic boxing medalist, and many others, this special charts the joys of challenges faced by U.S. Latinas of all ages and backgrounds.
1
Junot Diaz, Carlos Ponce, Blue Demon, and others share their riveting stories and experiences as Latino men in the United
 States.
-1
Former Mexican President Felipe Calderon's six-year war on drug trafficking is the focus of this investigative documentary. The voices of parents, siblings, wives, and children of the many victims of the war--more than 121,000 and counting--tell their personal stories of suffering.
-1
Caleb, a coder at the world's largest internet company, wins a competition to spend a week at a private mountain retreat belonging to Nathan, the reclusive CEO of the company. But when Caleb arrives at the remote location he finds that he will have to participate in a strange and fascinating experiment in which he must interact with the world's first true artificial intelligence, housed in the body of a beautiful robot girl.
2
Alone on a tiny deserted island, Hank has given up all hope of ever making it home again. But one day everything changes when a dead body washes ashore, and he soon realizes it may be his last opportunity to escape certain death. Armed with his new “friend” and an unusual bag of tricks, the duo go on an epic adventure to bring Hank back to the woman of his dreams.
-4
In a dystopian near future, single people, according to the laws of The City, are taken to The Hotel, where they are obliged to find a romantic partner in forty-five days or are transformed into animals and sent off into The Woods.
1
At the height of the Cold War, a mysterious criminal organization plans to use nuclear weapons and technology to upset the fragile balance of power between the United States and Soviet Union. CIA agent Napoleon Solo and KGB agent Illya Kuryakin are forced to put aside their hostilities and work together to stop the evildoers in their tracks. The duo's only lead is the daughter of a missing German scientist, whom they must find soon to prevent a global catastrophe.
-6
In 1630, a farmer relocates his family to a remote plot of land on the edge of a forest where strange, unsettling things happen. With suspicion and paranoia mounting, each family member's faith, loyalty and love are tested in shocking ways.
-3
After a night of partying with a female stranger, a man wakes up to find her stabbed to death and is charged with her murder.
-3
The true story of how the Boston Globe uncovered the massive scandal of child molestation and cover-up within the local Catholic Archdiocese, shaking the entire Catholic Church to its core.
-2
A seductive alien prowls the streets of Glasgow in search of prey: unsuspecting men who fall under her spell.
-2
When his new album fails to sell records, pop/rap superstar conner4real (Andy Samberg) goes into a major tailspin and watches his celebrity high life begin to collapse. He'll try anything to bounce back, anything except reuniting with his old rap group The Style Boyz. His crisis of popularity leaves his fans, sycophants and rivals all wondering what to do when he’s no longer the dopest star of all.
-4
Robert Durst, scion of one of New York’s billionaire real estate families, has been accused of three murders but never convicted. Brilliant, reclusive, and the subject of relentless media scrutiny, he’s never spoken publicly—until now. During interviews with Andrew Jarecki, he reveals secrets of the case that baffled authorities for 30 years. In 2010, Jarecki made the narrative film All Good Things based on the infamous story of Robert Durst. After Durst saw the film, he contacted Jarecki wanting to tell his story. What began as a feature documentary ultimately became a six-part series as more and more of his incredible story was revealed.
-1
Ten home potters from around the country head to Stoke-on-Trent, the home of pottery, in their quest to become Top Potter.
1
Letty Dobesh is a thief and con artist fresh out of prison whose life is always one wrong turn and bad decision from implosions — just how she likes it. But when she overhears a hitman being hired to kill a man’s wife, she sets out to derail the job, launching her on a collision course with the killer, entangling them in a dangerous and seductive relationship.
-4
Follows the awkward experiences and racy tribulations of a modern-day African-American woman.
-2
Held captive for 7 years in an enclosed space, a woman and her young son finally gain their freedom, allowing the boy to experience the outside world for the first time.
2
Search Party is a dark comedy about four self-absorbed twenty-somethings who become entangled in an ominous mystery when a former college acquaintance suddenly disappears.
-3
From DC Comics comes the Suicide Squad, an antihero team of incarcerated supervillains who act as deniable assets for the United States government, undertaking high-risk black ops missions in exchange for commuted prison sentences.
-2
The story of a high school and the people who almost run it, the vice principals.
-1
Immediately after the events of The Desolation of Smaug, Bilbo and the dwarves try to defend Erebor's mountain of treasure from others who claim it: the men of the ruined Laketown and the elves of Mirkwood. Meanwhile an army of Orcs led by Azog the Defiler is marching on Erebor, fueled by the rise of the dark lord Sauron. Dwarves, elves and men must unite, and the hope for Middle-Earth falls into Bilbo's hands.
-3
A punk rock band becomes trapped in a secluded venue after finding a scene of violence. For what they saw, the band themselves become targets of violence from a gang of white power skinheads, who want to eliminate all evidence of the crime.
-3
A mother and her 10-year old daughter are trapped in a forest. There is something in this forest. Something unlike anything they have heard before. Something that lurks in the darkness and it’s coming after them.
-2
When Krisha returns to her estranged family for Thanksgiving dinner, past demons threaten to ruin the festivities.
-4
Lenny Belardo, the youngest and first American Pope in the history of the Church, must establish his new papacy and navigate the power struggles of the closed, secretive Vatican.
-2
Fearing the actions of a god-like Super Hero left unchecked, Gotham City’s own formidable, forceful vigilante takes on Metropolis’s most revered, modern-day savior, while the world wrestles with what sort of hero it really needs. And with Batman and Superman at war with one another, a new threat quickly arises, putting mankind in greater danger than it’s ever known before.
1
In the not too distant future, two young women who live in a remote ancient forest discover the world around them is on the brink of an apocalypse. Informed only by rumor, they fight intruders, disease, loneliness & starvation.
-4
In Japan's Aokigahara Forest, a troubled teacher meets a mysterious lost stranger who takes him on a life-changing journey of love and redemption.
-2
An intimate conversation between filmmakers, chronicling De Palma’s 55-year career, his life, and his filmmaking process, with revealing anecdotes and, of course, a wealth of film clips.
1
Movie star Vincent Chase, together with his boys, Eric, Turtle and Johnny, are back…and back in business with super agent-turned-studio head Ari Gold. Some of their ambitions have changed, but the bond between them remains strong as they navigate the capricious and often cutthroat world of Hollywood.
1
Host Adam Conover employs a combination of comedy, history and science to dispel widespread misconceptions about everything we take for granted.
-1
Mike is an unmotivated stoner whose small-town life with his live-in girlfriend, Phoebe, is suddenly turned upside down.  Unbeknownst to him, Mike is actually a highly trained, lethal sleeper agent. In the blink of an eye, as his secret past comes back to haunt him, Mike is thrust into the middle of a deadly government operation and is forced to summon his inner action-hero in order to survive.
-3
Looking at the lives of former and current football players, the show follows former superstar Spencer Strasmore as he gets his life on track in retirement while mentoring other current and former players through the daily grind of the business of football.
-1
A fictional documentary-style expose on the rivalry between two tennis stars who battled it out in a 1999 match that lasted seven days.
-2
Gerry is a talented but down-on-his-luck gambler whose fortunes begin to change when he meets Curtis, a younger, highly charismatic poker player.  The two strike up an immediate friendship and Gerry quickly persuades his new friend to accompany him on a road trip to a legendary high stakes poker game in New Orleans. As they make their way down the Mississippi River, Gerry and Curtis manage to find themselves in just about every bar, racetrack, casino, and pool hall they can find, experiencing both incredible highs and dispiriting lows, but ultimately forging a deep and genuine bond that will stay with them long after their adventure is over.
4
Students on a camping trip discover something sinister is lurking beyond the trees.
-2
Hailed as one of the most innovative and intimate documentaries of all time, experience Kurt Cobain like never before in the only ever fully authorized portrait of the famed music icon. Academy Award nominated filmmaker Brett Morgen expertly blends Cobain's personal archive of art, music, never seen before movies, animation and revelatory interviews from his family and closest friends.
6
A look at the Miami-Dade County Corrections and Rehabilitation Boot Camp Program, which allows young inmates undergo a strict six-week course in order to learn from their past mistakes and make a better future for themselves.
-1
American chess champion Bobby Fischer prepares for a legendary match-up against Russian Boris Spassky.
2
A look at NYC’s gentrification and growing inequality in a microcosm, Class Divide explores two distinct worlds that share the same Chelsea intersection – 10th Avenue and 26th Street. On one side of the avenue, the Chelsea-Elliot Houses have provided low-income public housing to residents for decades. Their neighbor across the avenue since 2012 is Avenues: The World School, a costly private school. What happens when kids from both of these worlds attempt to cross the divide?
-2
A sketch comedy series that parodies pop culture and internet trends.
-1
After a botched heist, Eddie  a murderous crime boss, hunts down the seductive thief Karen who failed him. In order to win back Eddie’s trust, Karen recruits her ex-lover and premier thief Jack to steal a cargo of rare precious gems. But when the job goes down, allegiances are betrayed and lines are crossed as Jack, Karen, and Eddie face off in a fateful showdown.
-1
Beatrice Prior must confront her inner demons and continue her fight against a powerful alliance which threatens to tear her society apart.
-1
A middle-aged couple experience the pain, the relief and the trials and tribulations of a divorce in this dry, witty comedy.
1
In the indigenous communities around the town of Juchitán, the world is not divided simply into males and females. The local Zapotec people have made room for a third category, which they call “muxes” - men who consider themselves women and live in a socially sanctioned limbo between the two genders.
0
After the earth-shattering revelations of INSURGENT, Tris must escape with Four and go beyond the wall enclosing Chicago. For the first time ever, they will leave the only city and family they have ever known in order to find a peaceful solution for their embroiled city. Once outside, old discoveries are quickly rendered meaningless with the revelation of shocking new truths. Tris and Four must quickly decide who they can trust as a ruthless battle ignites beyond the walls of Chicago which threatens all of humanity. In order to survive, Tris will be forced to make impossible choices about courage, allegiance, sacrifice and love.
1
The gang decide to go traveling in the Mystery Machine, seeking fun and adventure during what could possibly be their last summer break together. However, havoc-wreaking monsters seem to be drawn to them, appearing almost every stop of the way.
-2
The life of Tracey, a religious, Beyoncé-obsessed 22-year-old  living in an estate in Tower Hamlets, and the mishaps of her neighbourhood, friends and family. Oh, and obvs her boyfriend!
-1
The story of the five-day interview between Rolling Stone reporter David Lipsky and acclaimed novelist David Foster Wallace, which took place right after the 1996 publication of Wallace's groundbreaking epic novel, 'Infinite Jest.'
3
Black Friday, the day after Thanksgiving November 2012, four boys in a red SUV pull into a gas station after spending time at the mall buying sneakers and talking to girls. With music blaring, one boy exits the car and enters the store, a quick stop for a soda and a pack of gum. A man and a woman pull up next to the boys in the station, making a stop for a bottle of wine. The woman enters the store and an argument breaks out when the driver of the second car asks the boys to turn the music down. 3½ minutes and ten bullets later, one of the boys is dead. 3½ MINUTES dissects the aftermath of this fatal encounter.
-3
A woman who survived the brutal killing of her family as a child is forced to confront the events of that day.
-3
Three brother bears awkwardly attempt to find their place in civilized  society, whether they're looking for food, trying to make human friends,  or scheming to become famous on the internet. Grizzly, Panda and Ice  Bear stack atop one another when they leave their cave and explore the  hipster environs of the San Francisco Bay Area, and it's clear the  siblings have a lot to learn about a technologically driven world. By  their side on many adventures are best friend Chloe (the only human  character in the cast), fame-obsessed panda Nom Nom, and Charlie, aka  Bigfoot.
2
A mysterious virus hits an isolated elementary school, transforming the kids into a feral swarm of mass savages. An unlikely hero must lead a motley band of teachers in the fight of their lives.
-4
An ambitious lobbyist faces off against the powerful gun lobby in an attempt to pass gun control legislation.
2
A 16-year-old international assassin yearning for a "normal" adolescence fakes her own death and enrolls as a senior in a suburban high school. She quickly learns that being popular can be more painful than getting water-boarded.
-3
New Jersey car mechanic Stacie Andree and her police detective girlfriend Laurel Hester both battle to secure Hester's pension benefits after she was diagnosed with a terminal illness.
1
A man attempts to marry into a wealthy family.
1
In the Old West, a 17-year-old Scottish boy teams up with a mysterious gunman to find the woman with whom he is infatuated.
-1
Follow a beloved Andy Warhol Brillo Box sculpture as it makes its way from a family's living room to a record-breaking Christie's auction, blending personal narrative with pop culture, and exploring how we navigate the ephemeral nature of art and value.
1
A futuristic love story set in a world where emotions have been eradicated.
2
Jump into the daily routines of a diverse group of New Yorkers and how they light things up. “The Guy” is a nameless pot deliveryman whose client base includes an eccentric group of characters with neuroses as diverse as the city.
-1
Mayor Nick Wasicsko took office in 1987 during Yonkers' worst crisis when federal courts ordered public housing to be built in the white, middle class side of town, dividing the city in a bitter battle fueled by fear, racism, murder and politics.
-6
The continuing adventures of the Portokalos family. A follow-up to the 2002 comedy, "My Big Fat Greek Wedding."
-1
GOING CLEAR intimately profiles eight former members of the Church of Scientology, shining a light on how they attract true believers and the things they do in the name of religion.
1
Air Force One is shot down by terrorists, leaving the President of the United States stranded in the wilderness. 13-year old Oskari is also in that wilderness, on a hunting mission to prove his maturity to his kinsfolk by tracking down a deer, but instead discovers the President in an escape pod. With the terrorists closing in to capture their prize, the unlikely duo team up to escape their hunters.
1
A documentary on the life of Amy Winehouse, the immensely talented yet doomed songstress. We see her from her teen years, where she already showed her singing abilities, to her finding success and then her downward spiral into alcoholism and drugs.
1
A thought-provoking look at the subject of abortion today, told through the stories of women struggling with unplanned pregnancies, abortion providers and clinic staff and activists on both sides of this contentious debate.
-2
With her unique blend of honesty and unapologetic humor, Amy Schumer is one of the funniest, freshest faces in the industry today. This October, Schumer's provocative and hilariously wicked mind will be on full display as she headlines her first HBO stand-up comedy special: 'Amy Schumer: Live at the Apollo.' Directed by Chris Rock, the one-hour special features the comedian talking about her life and was taped before a live audience at New York’s iconic Apollo Theater.
1
Adam West and Burt Ward returns to their iconic roles of Batman and Robin. The film sees the superheroes going up against classic villains like The Joker, The Riddler, The Penguin and Catwoman, both in Gotham City… and in space.
1
As Batman hunts for the escaped Joker, the Clown Prince of Crime attacks the Gordon family to prove a diabolical point mirroring his own fall into madness.
-6
A father is without the means to pay for his daughter's medical treatment. As a last resort, he partners with a greedy co-worker to rob a casino. When things go awry they're forced to hijack a city bus.
-1
San Francisco has long enjoyed a reputation as the counterculture capital of America, attracting bohemians, mavericks, progressives and activists. With the onset of the digital gold rush, young members of the tech elite are flocking to the West Coast to make their fortunes, and this new wealth is forcing San Francisco to reinvent itself. But as tech innovations lead America into the golden age of digital supremacy, is it changing the heart and soul of their adopted city?
10
Bruce Wayne is missing. Alfred covers for him while Nightwing and Robin patrol Gotham City in his stead and a new player, Batwoman, investigates Batman's disappearance.
0
The harrowing true story of the crew of the USS Indianapolis, who were stranded in the Philippine Sea for five days after delivering the atomic weapons that would eventually end WWII. As they awaited rescue, they endured extreme thirst, hunger, and relentless shark attacks.
-4
The comedian and actor dishes up an hour of audacious adult humor taped in front of a live audience at The Broad Stage in Santa Monica.
0
Two mermaid sisters, who end up performing at a nightclub, face cruel and bloody choices when one of them falls in love with a beautiful young man.
-1
Over the course of his silly, high-energy performance, Holmes shares his thoughts on such disparate topics as: the keys to happiness; the illogicality of nightmares; being an "easy laugh"; what to wear on a flight; bizarre quirks of language; filling one's "joy quota"; how the British deal with awkward situations; the ridiculousness of porn; and more.
-1
To save the universe, and their friendship, Mordecai and Rigby must defeat an evil volleyball coach.
0
A look at the life and music of legendary singer and civil rights activist, Mavis Staples.
2
Patrick returns to San Francisco for the first time in almost a year to celebrate a momentous event with his old friends. In the process, he must face the unresolved relationships he left behind and make difficult choices about what’s important to him.
1
Jesse Owens' quest to become the greatest track and field athlete in history thrusts him onto the world stage of the 1936 Olympics, where he faces off against Adolf Hitler's vision of Aryan supremacy.
2
Minnesota, 1990. Detective Bruce Kenner investigates the case of young Angela, who accuses her father, John Gray, of an unspeakable crime. When John unexpectedly and without recollection admits guilt, renowned psychologist Dr. Raines is brought in to help him relive his memories and what they discover unmasks a horrifying nationwide mystery.
-6
The story of legendary blues performer, Bessie Smith, who rose to fame during the 1920s and '30s.
2
A heartwarming and crowd-pleasing coming-of-age comedy with a unique spin, Morris from America centers on Morris Gentry, a 13-year-old who has just relocated with his single father, Curtis to Heidelberg, Germany. Morris, who fancies himself the next Notorious B.I.G., is a complete fish-out-of-water—a budding hip-hop star in an EDM world. To complicate matters further, Morris quickly falls hard for his cool, rebellious, 15-year-old classmate Katrin. Morris sets out against all odds to take the hip-hop world by storm and win the girl of his dreams.
0
The career of screenwriter Dalton Trumbo is halted by a witch hunt in the late 1940s when he defies the anti-communist HUAC committee and is blacklisted.
0
With the fifth offshoot of the "Ben 10" franchise, the animated series returns to its roots and its original name, bringing teenager Benjamin "Ben" Tennyson, his cousin Gwen and Grandpa Max back to life on a new summer vacation journey. As in the original, the stories in the remake of the series also spin around an alien wristwatch called "Omnitrix," with the help of Ben can turn into ten different friendly aliens, which come up with different supernatural powers. He fights enemy aliens and experiences with grandfather and cousin the most exciting vacation imaginable.
1
Samantha Bee breaks up late-night's all-male sausage fest with her nuanced view of political and cultural issues, her sharp interview skills, her repartee with world leaders and, of course, her 10-pound lady balls.
0
The life and legacy of Richard Holbrooke, whose singular career spans fifty years of American foreign policy, is told in this documentary from Holbrooke's eldest son David.
0
Supersonic charts the meteoric rise of Oasis from the council estates of Manchester to some of the biggest concerts of all time in just three short years.  This palpable, raw and moving film shines a light on one of the most genre and generation-defining British bands that has ever existed and features candid new interviews with Noel and Liam Gallagher, their mother, and members of the band and road crew.
2
An uptight documentary filmmaker and his wife find their lives loosened up a bit after befriending a free-spirited younger couple.
0
With the aid of a fellow Auschwitz survivor and a hand-written letter, an elderly man with dementia goes in search of the person responsible for the death of his family.
0
Southern Rites visits Montgomery County, Ga., one year after the town merged its racially segregated proms, and during a historic election campaign that may lead to its first African-American sheriff. Acclaimed photographer Gillian Laub, whose photos first brought the area unwanted notoriety, documents the repercussions when a white town resident is charged with the murder of a young black man. The case divides locals along well-worn racial lines, and the ensuing plea bargain and sentencing uncover complex truths and produce emotional revelations.
-1
Writer and Adderall enthusiast Stephen Elliott reaches a low point when his estranged father resurfaces, claiming that Stephen has fabricated much of the dark childhood that that fuels his writing. Adrift in the precarious gray area of memory, Stephen is led by three sources of inspiration: a new romance, the best friend who shares his history, and a murder trial that reminds him more than a little of his own story. Based on the memoir of the same name.
0
In an alternate universe, very different versions of DC's Trinity fight against the government after they are framed for an embassy bombing.
0
Recounts the dramatic story of the April 2013 terrorist attack at the Boston Marathon through the experiences of individuals whose lives were affected. Ranging from the events of the day to the death-penalty sentencing of Dzhokhar Tsarnaev, the film features surveillance footage, news clips, home movies and exclusive interviews with survivors and their families, as well as first responders, investigators, government officials and reporters from the Boston Globe, which won a Pulitzer Prize for its coverage of the bombing. In the wake of terrorism, a newlywed couple, a mother and daughter, and two brothers - all gravely injured by the blast - face the challenges of physical and emotional recovery as they and their families strive to reclaim their lives and communities.
3
In Columbus, Ohio, a group of autistic teenagers and young adults role-play this transition by going through the deceptively complex social interactions of preparing for a spring formal. Focusing on several young women as they go through an iconic American rite of passage, we are given intimate access to people who are often unable to share their experiences with others. With humor and heartbreak, How to Dance in Ohio shows the daily courage of people facing their fears and opening themselves to the pain, worry, and joy of the social world.
-2
An insider’s account from the perspectives of those who helped construct America’s counter-terrorism machine -- and of its targets.
1
An animated comedy focusing on the downtrodden creatures native to Earth’s least-habitable environment: New York City. Whether it’s lovelorn rats, gender-questioning pigeons or aging bedbugs in the midst of a midlife crisis, the awkward small talk, moral ambiguity and existential woes of non-human urbanites prove startlingly similar to our own.
-6
When a radio falls from the sky into the hands of a wide-eyed Tibetan Mastiff, he leaves home to fulfill his dream of becoming a musician, setting into motion a series of completely unexpected events.
-2
The gang find themselves in a tinsel-town twist! While on a VIP tour of the legendary Brickton Studios, Scooby and friends get a first-hand experience of the rumored hauntings when classic movie monsters drop in for a creepy casting call.
-1
A group of friends on holiday on an island experiment with a new designer drug that makes them lose their ability to control their urges.
-1
Robin is sent by Batman to work with the Teen Titans after his volatile behavior botches up a Justice League mission. The Titans must then step up to face Trigon after he possesses the League and threatens to conquer the world.
-1
Earth, a shiny jewel floating in the blackness of space... and for the robot known as Brainiac, the last piece to capture for his collection of planets. Not if the Justice League has anything to say about it!
1
The fast-paced action movie is again set in the criminal underworld in France, where Frank Martin is known as The Transporter, because he is the best driver and mercenary money can buy. In this installment, he meets Anna and they attempt to take down a group of ruthless Russian human traffickers who also have kidnapped Frank’s father.
0
A man is out for justice after a group of corrupt police officers are unable to catch his wife's killer.
-3
After the events of Justice League: War, Ocean Master and Black Manta have declared a war against the surface in retaliation of the aftermath of Apokoliptian-tyrant Darkseid's planetary invasion. Queen Atlanna seeks out her other son, Ocean Master’s half-brother Arthur Curry, a half-human with aquatic powers with no knowledge of his Atlantean heritage, to restore balance.  Living with powers he doesn’t understand and seeing the danger around him, Curry takes steps to embrace his destiny, joining the Justice League, and with his new teammates he battles to save Earth from total destruction.
1
Four adults nearing 40, living under the same roof, struggle to keep their relationships and their individual dreams alive.
-1
A man bored with his reality, works in the São Paulo government censorship department, is married to Isabel, but falls in love with Dora Dumar, an actress of the films he has the obligation to censor.
0
Three colorful, sugarcoated kids trying to juggle school and save the world before bedtime.
0
Documentary about Michelangelo Antonioni's 1966 film.
0
A suicidal artist goes into the desert, where he finds his doppelgänger, a homicidal drifter.
-2
A sudden loss disrupts Carol’s orderly life, propelling her into the dating world for the first time in 20 years. Finally living in the present tense, she finds herself swept up in not one, but two unexpected relationships that challenge her assumptions about what it means to grow old.
-2
In the bustling streets and back alleys of Jakarta, a parallel world of bloodthirsty creatures from Indonesian mythology has lived alongside humans for generations. Taking on the appearance of humans themselves, the true identity of these "Demit" has been carefully concealed for centuries by a powerful family of mortals. The arrival of a mysterious supernatural event known only as the Gift will bring this hidden world to the surface. As the day of the Gift approaches, a young street artist named Sarah unexpectedly finds herself in the eye of the storm. Once the Demit realize who Sarah really is, and what she must do, humans and Demit are set on a collision course that could change the balance of their two worlds forever.
-2
With a single abortion clinic remaining in the state of Mississippi, the city of Jackson has become ground zero in the nation's battle over reproductive health-care. Jackson is an intimate portrait of the interwoven lives of three women in this town. Wrought with the racial and religious undertones of the Deep South, the lives of two women are deeply affected by the director of the local pro-life crisis pregnancy center and the movement she represents.
-1
Damian Wayne is having a hard time coping with his father's "no killing" rule. Meanwhile, Gotham is going through hell with threats such as the insane Dollmaker, and the secretive Court of Owls.
-6
A candid portrait of writer/director Nora Ephron, directed by her son, journalist Jacob Bernstein.
0
A ten year old girl named Angela leads her six year old sister, Ellie, through various regimens of 'purification' in an attempt to rid themselves of their evil, which she believes to be the cause of their mother's mental illness. Precocious, to say the least, Angela has visions of Lucifer coming to take her and her sister away, and one of her remedies for this is for them to remain within a circle of their dolls and toys until they see a vision of the virgin Mary come to them. But such thinking can only lead to an ending befitting of her own mental state.
1
Born into one of the wealthiest and best-known families in American history, Gloria Vanderbilt has lived in the public eye for more than 90 years, unapologetically pursuing love, family and career, while experiencing extreme tragedy and tremendous success side by side. This documentary features a series of candid conversations as Vanderbilt and her youngest son, Anderson Cooper, look back at her remarkable life.
3
Wonder Woman, Supergirl, Batgirl, Harley Quinn, Bumblebee, Poison Ivy and Katana band together to navigate the twists and turns of high school in DC Super Hero Girls: Hero of the Year.
2
On November 15, 2013, the world came together to grant one 5-year-old leukemia patient his wish to be Batman for a day. "Batkid Begins" looks at why and how this phenomenon took place, becoming one of the biggest "good news" stories of all time.
2
Nude men in rubber suits, close-ups of erections, objects shoved in the most intimate of places—these are photographs taken by Robert Mapplethorpe, known by many as the most controversial photographer of the twentieth century. Openly gay, Mapplethorpe took images of male sex, nudity, and fetish to extremes that resulted in his work still being labelled by some as pornography masquerading as art. But less talked about are the more serene, yet striking portraits of flowers, sculptures, and perfectly framed human forms that are equally pioneering and powerful.
5
A personal and captivating account of the extraordinary life and work of Ingrid Bergman (1915-82), a young Swedish woman who became one of the most celebrated actresses in world cinema.
4
Wabbit is an animated series starring Bugs Bunny. The series features many other Looney Tunes characters including Wile E. Coyote, Yosemite Sam, and the Tasmanian Devil.
-2
An unvarnished look at the heroin epidemic sweeping America's small towns and communities, focusing on on eight young addicts in idyllic Cape Cod, Mass.
0
A woman in Pakistan sentenced to death for falling in love becomes a rare survivor of the country's harsh judicial system.
-1
The citizens of the small British town of Pagford fight for the spot on the parish council after Barry Fairbrother dies.
0
Known for her distinctive storytelling and offbeat sense of humor, Tig Notaro often draws on her highly personal experiences with no-holds-barred honesty. Over the course of her one-hour show, Notaro tells stories about a number of subjects, including: the search for the perfect Santa Claus; her favorite laugh noises; bringing her fiancée to meet her Mississippi family; TSA screening; flying in small planes; unusual public signs; and more.
3
On October 1, 2013, the elusive street artist Banksy launched a month-long residency in New York, an art show he called Better Out Than In. As one new work of art was presented each day in a secret location, a group of fans, called “Banksy Hunters,” took to the streets and blew up social media.
2
In August, 2014, a video of the public execution of American photojournalist James Foley rippled across the globe. Foley wore an orange jumpsuit as he knelt beside an ISIS militant dressed in black. That image challenged the world to deal with a new face of terror. And it tested one American family.  Seen through the lens of filmmaker Brian Oakes, Foley’s close childhood friend, Jim takes us from small-town New England to the adrenaline-fueled front lines of Libya and Syria, where Foley pushed the limits of danger to report on the plight of civilians impacted by war.
-4
A filmed version of Jonny Donahoe’s acclaimed one-man show about depression, suicide and the lengths to which people go for those they love. Poignant and humorous, it follows a young boy who attempts to ease his mother’s depression by starting an enormous running list of everything worth living for.
3
A documentary that explores the range of experiences lived by transgender Americans.
0
Mel Brooks is one of the funniest voices in American comedy. Now, the entertainment legend dons a tux and takes the stage for a memorable one-man show filled with jokes, songs and hilarious anecdotes.
1
When his girlfriend goes missing, David must track down her whereabouts after he realizes she's not who she was pretending to be.
0
Judge Clarence Thomas' nomination to the United States' Supreme Court is called into question when former colleague, Anita Hill, testifies that he had sexually harassed her.
0
Natalio Arenas is a hypnotist who can put people into a trance and make them reveal their innermost secrets. But Natalio suffers from insomnia, which hides a secret of his own.
-1
Crime is on the run as the newly formed Justice League keeps Metropolis safe and this makes evil genius Lex Luthor very unhappy. Together with Black Manta, Sinestro and a gang of ruthless recruits, Lex builds his own league and declares them the Legion of Doom. With this super powered team of terror and a plan to attack the top-secret government site, Area 52, can Lex finally be on the verge of victory? Sound the alarm and get ready for the bricks to fly when Superman, Batman, Wonder Woman and the rest of the Justice League face off against the world's greatest Super-Villains! It's the next all-new original movie from LEGO® and DC Comics.
-1
Dubbed “The Cannibal Cop,” former NYPD officer Gilberto Valle was charged with conspiring to kidnap and eat women but argued it was all a fantasy. His story made headlines both for its disturbing details and its potential to kick off a trend of thought-policing across the nation. Featuring intimate interviews with Valle and insights from experts, Thought Crimes explores if someone can be found guilty for their most dangerous thoughts.
-4
A documentary that follows Will Ferrell as he takes the field in five Major League Baseball training games, playing all nine positions for ten different teams in a single day.
0
While investigating the privatization of energy giant Central Energy, journalist Petra Vlčka uncovers corruption involving his brother the CEO.
-1
A look at legendary Japanese animator Hayao Miyazaki following his retirement in 2013.
1
Superman’s clone, Bizarro, has become an embarrassing problem. Chaos and destruction follow Bizarro everywhere as he always hears the opposite of what is said, says the opposite of what he means and does the opposite of what is right. And when the citizens of Metropolis keep confusing Bizarro with Superman, the Man of Steel decides it’s time to find a new home for him…on another planet! It’s up to the Justice League to come to terms with their backward counterparts and team up with them to stop Darkseid and save the galaxy!
-5
From directors Nick Doob and Shari Cookson, "Requiem for the Dead" is made entirely from found footage, including social media posts, 9-1-1 calls, news stories and police files. The film tells the stories of those who have been killed by gunfire, whether from accidental violence, random shootings, family disputes or suicide. Hear those stories of those who have died, which is only a fraction of the 32,000 people killed in America each year, 88 per day, from gun violence.
-7
In November 2015, when gunmen attacked Paris, France declared war on the Islamic State. But that war - and France's 'year of terror' - began a year ago with the attack on satirical magazine Charlie Hebdo.  With unprecedented access to the French authorities and previously unseen footage, five-time Bafta-winning director Dan Reed reveals the untold story of the massacre and of the first Islamic State strike in Paris at a kosher grocery store.  Key witnesses, police officers and survivors - many speaking for the first time - piece together the dramatic attacks and the unprecedented manhunt that gripped the world for three extraordinary and terrifying days.
-4
A lifelong Carolina farm girl, now in her early 20's, Grace has dreamed all her life of the day when "Mr. Right" slips a Princess Cut diamond on her finger and swears to love her forever. Tonight may be that night as Stewart has something special planned after 15 months together! But when things don't go as planned, and romance crashes down around her, it launches her on a quest, aided by her father, to understand what it means to truly love another person. Will Grace finally discover love or ruin her chances for happiness forever?
5
Filmmaker Peter Kunhardt examines how a one-of-a-kind collection of Abraham Lincoln photos and memorabilia have profoundly shaped the lives and sensibilities of five generations of his family.
1
Long Live the Royals follows a fictional British Royal Family—King Rufus and Queen Eleanor and their children Peter, Rosalind, Eddy, and Alex—as they honor the annual Yule Hare Festival. The family must battle having to rule their kingdom while maintaining a normal family at the same time. Meanwhile, the festival continues with the parties and feasts that comprise it.
0
This intimate portrait of director, producer, and improvisational comedy icon Mike Nichols shows his final and historic interviews filmed just months before his death. Director Douglas McGrath documents Nichols’s early life, as he opens up to his friend, director Jack O’Brien, about the storied beginnings of his career.
0
This documentary charts the complexity and genius of the NBA's all-time leading scorer Kareem Abdul-Jabbar's legendary career, both on and off the court. Spotlighting a six-time MVP and six-time world champion, the film examines his controversial and landmark moments, his outspoken feelings about race and politics, and the evolution of the game.
3
Going deeper than fine fabrics and silk linings, Suited takes a modern, evolved look at gender through the conduit of clothing and elucidates the private and emotional experience surrounding it. With heart and optimism, the film documents a cultural shift that is creating a new demand—and response—for each person’s right to go out into the world with confidence.
5
From the onset of the AIDS epidemic, author Larry Kramer emerged as a fiery activist, an Old Testament-style prophet full of righteous fury who denounced both the willful inaction of the government and the refusal of the gay community to curb potentially risky behaviors. Co-founder of both organization Gay Men's Health Crisis and the direct action protest group ACT UP, Kramer was vilified by some who saw his criticism to be an expression of self-hatred, while lionized by others who credit him with waking up the gay community — and, eventually, the government and medical establishment — to the devastation of the disease.
-7
Get ready to Rock! Scooby-Doo and the Mystery Inc. Gang team up with the one and only KISS in this all-new, out-of-this-world adventure! We join the Gang at KISS World – the all-things-KISS theme park, as they investigate a series of strange hauntings. With help from KISS, they discover that the Crimson Witch has returned to summon The Destroyer from the alternate dimension of Kissteria! The evil duos ghastly plan, to destroy the earth! Can the Gang's cunning and KISS's power of rock save the day?!
-5
A hard-nosed detective deliberately commits a crime to get thrown in prison, allowing him the chance to seek vengeance on a criminal serving a life sentence for brutally murdering his wife.
-5
Alexandra Pelosi looks at money in politics and interviews wealthy donors to Republican and Democratic parties to ask them about their contributions and philosophies. Also: a look at efforts to enact campaign-finance reform.
3
Taking everyday items and using them to make your life easier.
1
When Scooby and Mystery Inc. visit an off-road racing competition, it's not long before strange events start to occur. A mysterious phantom racer, known only as Inferno, is causing chaos and is determined to sabotage the race. It's up to Scooby-Doo, Shaggy and their new driving partner, The Undertaker, to save the race and solve the mystery.
-6
The caped crusader reluctantly agrees to let Batgirl and Nightwing take him on a long overdue vacation from crime-fighting, while Superman and the Justice League watch over Gotham City.
-2
It's one giant step for dog-kind as Scooby-Doo and the Gang blast off for an epic, other-worldly adventure in this all-new original movie! After winning the last 5 seats in a lottery, Scooby-Doo, Shaggy, Fred, Daphne and Velma are off to space in billionaire Sly Baron's brand new ship, the Sly Star One. It's all gravity-free fun until a mysterious alien begins destroying the ship! As the ship breaks down, the crew is forced to land on Sly Baron's base... on the dark side of the moon! Will the gang unravel this alien mystery? Will Scooby-Doo and Shaggy find snacks on the moon? Will Fred ever take his space helmet off?! Journey to the outer limits with Scooby-Doo to find out!
-7
Are you a risky drinker? Nearly 70% of American adults drink alcohol and nearly 1/3 of them engage in problem drinking at some point in their lives. Produced with The National Institute of Alcohol Abuse and Alcoholism (NIAAA), Risky Drinking is a no-holds-barred look at a national epidemic through the intimate stories of four people whose drinking dramatically affects their relationships.
-4
Impractical Jokers: Inside Jokes packs classic, fan-favorite episodes of the show with shareable pop-up facts directly from the Jokers themselves, giving viewers a unique and unprecedented look behind the curtain.
-3
With charm and wit, Nichols discusses his life and 50-year career as a performer and director.
1
This portrait of Hilary Knight, the artist behind the iconic Eloise books, sees him reflecting on his life as an illustrator and his relationship to his most successful work.
2
Puentes de Salud is a volunteer-run clinic that provides free medical care to undocumented immigrants in south Philadelphia. Here, doctors and nurses work for free to serve people who would otherwise fall through the cracks. Clinica de Migrantes, a potent film by Maxim Pozdorovkin, follows the workers and patients of Puentes through months of routine care and growth. Along the way, the film puts a face to the millions of people who exist on the margins of society: people displaced from their homelands, separated from their families, unfamiliar with the customs, unable to obtain health insurance and terrified to come forward to seek medical help. Along with revealing these patient stories, Clinica is also a look at the heroic doctors and nurses who work pro bono to ensure these people receive care, offering a deeply moving look at the limitless potential of humanity.
1
From the land of narco-violence to the land of displaced persons. The documentary Guerras Ajenas ('Wars of Others') explores the consequences of the war on drugs in Colombia, and one of its main tools: aerial spraying.
-1
In 2000, a California State Prison inmate serving Life Without Parole (LWOP) approached the warden to request a dedicated yard for men serving life sentences that would break the code of violence dominating prison life. The California Department of Corrections and Rehabilitation (CDCR) subsequently transformed Yard A at California State Prison into The Progressive Programming Facility, which inmates call The Honor Yard. The only one of its kind in the United States, this experimental prison yard is free of violence, racial tensions, gang activity and illegal drug and alcohol use.
-3
With more than 50 million Latinos now living in the United States, Latinos are taking their seat at the table as the new American power brokers in the world of entertainment, business, politics and the arts. As Latinos’ influence in American society has soared, they have entered mainstream American culture, and the proof is in the music. Executive produced by legendary music mogul Tommy Mottola, THE LATIN EXPLOSION: A NEW AMERICA features a dazzling array of artists at the center of Latino cultural power and influence, including Marc Anthony, Emilio Estefan Jr., Gloria Estefan, José Feliciano, Eva Longoria, George Lopez, Jennifer Lopez, Los Lobos, Cheech Marin, Ricky Martin, Rita Moreno, Pitbull, Romeo Santos, Shakira, Thalía and Sofía Vergara. Narrated by John Leguizamo.
2
A one-hour, non-partisan program in English and Spanish encouraging Latinos to vote. It features inspiring stories of leading Latino celebrities and media personalities such as María Celeste Arrarás, Prince Royce, Jorge Ramos and Adrienne Bailon, who are on a mission to make the voice of the Latino community heard in 2016.
3
Hank Zipzer's Christmas Catastrophe follows Hank in the run up to Christmas as he prepares for a new baby brother. But Hank's life never runs smoothly and soon Miss Adolf is turning Mr. Rock's Rudolph the Rock'n'Roll Reindeer into a one-woman Christmas Carol - two school inspectors are getting injured in a bizarre sleighing accident and Mr. Joy is trying to cancel Christmas altogether. In his attempt to drag triumph from the glittering jaws of doom, Hank will ice skate into disaster, nearly crash a Christmas tree into a crowd, get himself and his best friends arrested, get his favourite teacher sacked and lose the love of his life. This time, he really has let everyone down. Surely even Hank can't get out this one. Luckily for us, there's no way to tell Hank that.
-3
Rosie O'Donnell speaks straight from--and to--the heart in this stand-up special that delivers hilarious anecdotes about her family and details about the heart attack that changed her life. Other topics include: the headaches and joys of raising five children; her continued infatuation with Barbra Streisand; her second chance at romance; and everything in between.
0
Waitress Rachel is not busy at her, open all night, diner. Therefore she has time to create sketches to stave off the boredom. While we, the viewing public who are light sleepers like me (obviously), join Rachel in her comedy fantasy world. I also dream up funny situations but don't have a killer job like Rachel. Cream and sugar?
-1
Can 30-something Roxanna Biltmore handle the matters of her heart concerning her high school crush or will she try something new with Vince Cotton? Watch this woman go from NO emergency contacts to two.
-2
Enter the world of internationally renown Cuban musician Carlos Varela...singer, song-writer, lyricist, one of the most influential and well-loved artists of his time as he celebrates his 30th anniversary in poignant performances. Discover his cultural, political and social significance. How he was influenced by his country, politics and people, and how he has influenced them in return. His struggle for individual freedoms, and his efforts to build bridges between Cuba, the United States, disenfranchised Cubans, and the people of the world. Shot in Havana, with unique access, exclusive interviews, stunning concert and insider back-stage moments. Varela is joined by international stars, his friends, Jackson Browne, Benicio del Toro, Ivan Lins, Luis Enrique, Juan and Samuel Formel, Diana Fuentes, X Alfonso, Alexander Abreu and more.
4
A war veteran turned private detective operates out of a tiny office in London’s Denmark Street. Although wounded both physically and psychologically, his unique insight and background as a military police investigator prove crucial in solving complex crimes that have baffled the police. Based on the bestselling novels written by J.K. Rowling under the pseudonym Robert Galbraith.
-3
The lives of the Roy family as they contemplate their future once their aging father begins to step back from the media and entertainment conglomerate they control.
0
A hit man from the Midwest moves to Los Angeles and gets caught up in the city's theatre arts scene.
0
When Ellen, the matriarch of the Graham family, passes away, her daughter's family begins to unravel cryptic and increasingly terrifying secrets about their ancestry.
-1
The tale of three mothers of first graders whose apparently perfect lives unravel to the point of murder.
-1
Seasoned musician Jackson Maine discovers — and falls in love with — struggling artist Ally. She has just about given up on her dream to make it big as a singer — until Jack coaxes her into the spotlight. But even as Ally's career takes off, the personal side of their relationship is breaking down, as Jack fights an ongoing battle with his own internal demons.
-2
Reporter Camille Preaker confronts the psychological demons from her past when she returns to her hometown to investigate the murders of two young girls.
-2
A team of young superheroes led by Nightwing (formerly Batman's first Robin) form to combat evil and other perils.
-1
When the most important friend in her life seems to have disappeared without a trace, Elena Greco, a now-elderly woman immersed in a house full of books, turns on her computer and starts writing the story of their friendship.
1
Explore the mysterious and dangerous home of the king of the apes as a team of explorers ventures deep inside the treacherous, primordial island.
-3
New Zealand's capital is a hotbed of supernatural activity... so Officers Minogue and O'Leary, who featured in the vampire documentary What We Do In The Shadows, take to the streets to investigate all manner of paranormal phenomena.
0
An Amazon princess comes to the world of Man in the grips of the First World War to confront the forces of evil and bring an end to human conflict.
-3
Andrea is a seemingly confident comedy writer, wife and mom, who comically exposes her inner immaturity and neuroses through unexpected life situations.
0
New York, 1896. Police commissioner Theodore Roosevelt brings together criminal psychologist Dr. Laszlo Kreizler, newspaper illustrator John Moore and secretary Sara Howard to investigate several murders of male prostitutes.
-2
Follows incompetent Greek-Cypriot lettings agent Stath, who works for the family business, Michael and Eagle. While Stath wrestles not to be outshone by their top agent, ruthlessly ambitious Carole, the company struggles against the threat of Smethwicks - the slick, high-end estate agents next door.
0
Thirteen-year-old Kayla endures the tidal wave of contemporary suburban adolescence as she makes her way through the last week of middle school — the end of her thus far disastrous eighth grade year — before she begins high school.
-1
After an unprecedented series of natural disasters threatened the planet, the world's leaders came together to create an intricate network of satellites to control the global climate and keep everyone safe. But now, something has gone wrong: the system built to protect Earth is attacking it, and it becomes a race against the clock to uncover the real threat before a worldwide geostorm wipes out everything and everyone along with it.
0
Late-night series featuring a mix of vérité documentary, musical performances, surrealist melodrama and humorous animation as a stream-of-consciousness response to the contemporary American mediascape.
1
When a young nun at a cloistered abbey in Romania takes her own life, a priest with a haunted past and a novitiate on the threshold of her final vows are sent by the Vatican to investigate. Together they uncover the order’s unholy secret. Risking not only their lives but their faith and their very souls, they confront a malevolent force in the form of the same demonic nun that first terrorized audiences in “The Conjuring 2” as the abbey becomes a horrific battleground between the living and the damned.
-4
A pastor of a small church in upstate New York starts to spiral out of control after a soul-shaking encounter with an unstable environmental activist and his pregnant wife.
-1
A runaway couple go on an unforgettable journey from Boston to Key West, recapturing their passion for life and their love for each other on a road trip that provides revelation and surprise right up to the very end.
4
Ingrid becomes obsessed with a social network star named Taylor Sloane who seemingly has a perfect life. But when Ingrid decides to drop everything and move west to be Taylor's friend, her behaviour turns unsettling and dangerous.
-1
The amazing true story of Billy Moore, an English boxer incarcerated in Thailand’s most notorious prison. Thrown into a world of drugs and violence, he finds his best chance to escape is to fight his way out in prison Muay Thai tournaments.
-1
Once home to the most advanced civilization on Earth, Atlantis is now an underwater kingdom ruled by the power-hungry King Orm. With a vast army at his disposal, Orm plans to conquer the remaining oceanic people and then the surface world. Standing in his way is Arthur Curry, Orm's half-human, half-Atlantean brother and true heir to the throne.
1
A newly-released prison gangster is forced by the leaders of his gang to orchestrate a major crime with a brutal rival gang on the streets of Southern California.
-5
A wife questions her life choices as she travels to Stockholm with her husband, where he is slated to receive the Nobel Prize for Literature.
1
A teacher in Michigan's Upper Peninsula explores subject matters such as pancakes, blueberries, eggs, toast, sausage, bacon, English muffins, coffee, orange juice, maple syrup, waffles, cornbread, and strawberries.
0
A documentary about World War I with never-before-seen footage to commemorate the centennial of Armistice Day, and the end of the war.
0
A cooler-than-ever Bruce Wayne must deal with the usual suspects as they plan to rule Gotham City, while discovering that he has accidentally adopted a teenage orphan who wishes to become his sidekick.
-2
19-year-old Ben Burns unexpectedly returns home to his family's suburban home on Christmas Eve morning. Ben's mother, Holly, is relieved and welcoming but wary of her son staying clean. Over a turbulent 24 hours, new truths are revealed, and a mother's undying love for her son is tested as she does everything in her power to keep him safe.
-1
A woman discovers that severe catastrophic events are somehow connected to the mental breakdown from which she's suffering.
-4
Police officer Asger Holm, demoted to desk work as an alarm dispatcher, answers a call from a panicked woman who claims to have been kidnapped. Confined to the police station and with the phone as his only tool, Asger races against time to get help and find her.
-2
Based in Neukölln, Berlin Toni manages the daily business of dealing with the Arabic gangs and ends up wanting to leave his old life behind for his family, but as expected, its never that simple.
0
One of the most celebrated war correspondents of our time, Marie Colvin is an utterly fearless and rebellious spirit, driven to the frontlines of conflicts across the globe to give voice to the voiceless.
-1
The story of Elvis Presley the musical artist, a comprehensive creative journey from his childhood through the final 1976 Jungle Room recording sessions.
2
Located in the middle of the 19th century, during the colonial era of Dutch India, the series "Grisse" follows a group of unusual characters who launch a rebellion against a brutal governor and finally have a chance to decide their fate.
-2
A teen winds up in over his head while dealing drugs with a rebellious partner in Cape Cod, Mass.
-1
Architect Fabián Danubio desperately tries to find his daughter, who has inexplicably disappeared leaving no trace.
-1
Fuelled by his restored faith in humanity and inspired by Superman's selfless act, Bruce Wayne and Diana Prince assemble a team of metahumans consisting of Barry Allen, Arthur Curry and Victor Stone to face the catastrophic threat of Steppenwolf and the Parademons who are on the hunt for three Mother Boxes on Earth.
0
Lisa Conroy is general manager at a highway-side 'sports bar with curves', Double Whammies. She nurtures and protects her employees fiercely - but over the course of one trying day, her optimism is battered from every direction... Double Whammies sells a big, weird American fantasy, but what happens when reality pokes a bunch of holes in it?
-1
Earl Stone, a man in his eighties, is broke, alone, and facing foreclosure of his business when he is offered a job that simply requires him to drive. Easy enough, but, unbeknownst to Earl, he's just signed on as a drug courier for a Mexican cartel. He does so well that his cargo increases exponentially, and Earl hit the radar of hard-charging DEA agent Colin Bates.
2
Bringing together some of the most talented Asian directors working within the genre sphere, this new anthology series creates an atmosphere unlike anything that’s come out of the region before.
1
The widow of a wise professor stumbles upon one of his inventions that's able to record and play a person's memory.
0
Portrait photographer Elsa Dorfman found her medium in 1980: the larger-than-life Polaroid Land 20x24 camera. For the next thirty-five years, she captured the “surfaces” of those who visited her studio: families, Beat poets, rock stars, and Harvard notables. As pictures begin to fade and her retirement looms, Dorfman gives Errol Morris an inside tour of her backyard archive.
0
An ambitious and wide-ranging documentary exploring Andre’s upbringing in France, his celebrated career in WWE, and his forays in the entertainment world.
2
Cindy Shank, mother of three, is serving a 15-year sentence in federal prison for her tangential involvement with a Michigan drug ring years earlier. This intimate portrait of mandatory minimum drug sentencing's devastating consequences, captured by Cindy's brother, follows her and her family over the course of ten years.
-1
A young nurse is kidnapped by a group of violent teens who escape from a mental hospital and take her on the road trip from hell. Pursued by an equally deranged lawman out for revenge, one of the teens is destined for tragedy and horrors that will destroy his mind, moulding him into a monster named Leatherface.
-6
Craig and his friends, Kelsey and JP, venture out into a kid-controlled wilderness in the creek.
0
In an alternative Victorian Age Gotham City, Batman begins his war on crime while he investigates a new series of murders by Jack the Ripper.
-2
When a border guard with a sixth sense for identifying smugglers encounters the first person she cannot prove is guilty, she is forced to confront terrifying revelations about herself and humankind.
-1
A war-hardened Crusader and his Moorish commander mount an audacious revolt against the corrupt English crown.
-3
Zohar searches for love, Ron seeks the ideal job, and Amit tries to forge new friendships. Follow the story of three people navigating the world through individual perspectives and facing their own unique challenges.
2
Featuring unprecedented access inside the White House and State Department, The Final Year offers an uncompromising view of the inner workings of the Obama Administration as they prepare to leave power after eight years.
-1
New Zealand’s 4th Most Popular Parody Duo are back for a mutha-uckin’ special concert  live at the London Apollo.
0
A series of specials featuring Phoebe Robinson and Jessica Williams based on the hit comedy podcast of the same name. The show features the fun, fearless queens dishing on “Cocoa Khaleesis,” dating white baes, sex, New York-living, the best borough for pizza and more.
3
Angela and Jessie are best friends intent on taking a wild beach trip, but when their roommate loses all their money in a drug scam, the girls—blissfully stoned—go to increasingly daring and absurd lengths to get it back.
-2
Child abuse, mental illness, and forbidden love converge in this mystery involving a mother and daughter who were thought to be living a fairy tale life that turned out to be a living nightmare.
-4
An African-American woman becomes an unwitting pioneer for medical breakthroughs when her cells are used to create the first immortal human cell line in the early 1950s.
1
Mike Kendall, a disgraced ex-cop, is fighting a losing battle with the bottle. When he finds a woman left for dead at the side of a road, Kendall turns private eye to track down her killers, taking one last shot at redemption.
-3
In recognition of the 4th of July, several celebrities and politicians of differing ideologies join to read the historic documents which laid the foundation for the United States of America.
0
Unemployed Arthur Ahnepol wants his obnoxious wife to die to claim the life insurance and start a new life with his mistress, which sets off a series of disastrous events.
-5
A miniature propulsive omnibus clusterbomb of painfully riotous daymares all dripping with the orange goo of dream logic. A series of loosely linked emotional parables about stories within tales that crawled out of the deepest caverns of your unconscious mind and became lovingly animated in breath-slapping stop motion - in other words, it is the truth.
-2
Performing in the round and engaging audience members during his act, Carmichael addresses a wide range of subjects, including Trump’s victory, climate change, supporting the troops, animal rights, being a good boyfriend and his top four fears, as well as exploring larger themes like race, politics, love and family.
9
Now one of the world’s most celebrated artists, Yayoi Kusama broke free of the rigid society in which she was raised, and overcame sexism, racism, and mental illness to bring her artistic vision to the world stage. At 88 she lives in a mental hospital and continues to create art.
-2
A fresh and revealing insight into Princess Diana through the personal and intimate reflections of her two sons and her friends and family.
2
With one in eight American children suffering a confirmed case of neglect or abuse by age 18, there are currently more than 400,000 children in foster care in the U.S., a number that continues to grow each year.  Drawing on unprecedented access, FOSTER explores the often-misunderstood world of foster care through compelling stories from the Los Angeles County Department of Children and Family Services, the largest county child welfare agency in the country.
-3
London, 1605. Robert Catesby, a 33-year old Warwickshire gentleman, devises a plot to blow up Parliament and kill the King.
-3
Based on a true story, this riveting western follows a headstrong New York widow as she journeys west to meet Sioux chief Sitting Bull, facing off with an army officer intent on war with Native Americans.
0
Camille's life as a lonely suburban teenager changes dramatically when she befriends a group of girl skateboarders. As she journeys deeper into this raw New York City subculture, she begins to understand the true meaning of friendship as well as her inner self.
0
Follows veterans and active-duty service members from varied backgrounds who come together to combat their traumas through the written word in a USO-sponsored arts workshop at Walter Reed National Military Hospital.
-1
A mockumentary that chronicles the prevalence of doping in the world of professional cycling.
0
A group of Israelis and Palestinians come together in Oslo for an unsanctioned peace talks during the 1990s in order to bring peace to the Middle East.
2
All the major DC superheroes are starring in their own films, all but the Teen Titans, so Robin is determined to remedy this situation by getting over his role as a sidekick and becoming a movie star. Thus, with a few madcap ideas and an inspirational song in their hearts, the Teen Titans head to Hollywood to fulfill their dreams.
2
In 1970s London, a teenage outsider named Enn falls in love with a rebellious alien girl named Zan, who has come to Earth for a party. Together, they navigate the complexities of intergalactic culture and the trials of first love.
-1
A look behind the scenes at Bernie Madoff's massive Ponzi scheme, how it was perpetrated on the public and the trail of destruction it left in its wake, both for the victims and Madoff's family.
-1
Sherlock has a peculiar character flaw. She does not open her heart to strangers. She is Japanese, but was born in Britain. She now works as an investigation consultant for the police department. Wato Tachibana is an excellent surgeon and is guided by the principal of justice. Sherlock and Wato Tachibana get to know each other through a case and begin to rely on each other.
-1
Follow comedian and writer Wyatt Cenac as he explores America’s most pressing issues. Traveling to different parts of the country, Cenac brings unique perspectives to systemic issues, while tackling more benign everyday inconveniences with comedic solutions.
-3
Comedian Drew Michael is taking the stage and is holding nothing back in his first HBO stand-up special, in which he navigates his fears, anxieties and insecurities in an unconventional stand-up setting. Michael’s darkly comic, stream-of-consciousness monologue raises questions of identity, narrative, self-awareness and the limits of the medium itself.
-4
After a routine partial hip replacement operation leaves his mother in a coma with permanent brain damage, what starts as a son's video diary becomes a citizen's investigation into the future of American health care.
-1
Ray Breslin manages an elite team of security specialists trained in the art of breaking people out of the world's most impenetrable prisons. When his most trusted operative, Shu Ren, is kidnapped and disappears inside the most elaborate prison ever built, Ray must track him down with the help of some of his former friends.
-1
A standup comic discovers that his wife is unfaithful, leading him to reevaluate his life amidst the New York City comedy scene.
0
When innocent civilians begin committing unthinkable crimes across Metropolis, Gotham City and beyond, Batman must call upon mystical counterparts to eradicate this demonic threat to the planet; enter Justice League Dark. This team of Dark Arts specialists must unravel the mystery of Earth's supernatural plague and contend with the rising, powerful villainous forces behind the siege—before it's too late for all of mankind.
-10
Alexander McQueen's rags-to-riches story is a modern-day fairy tale, laced with the gothic. Mirroring the savage beauty, boldness and vivacity of his design, this documentary is an intimate revelation of McQueen's own world, both tortured and inspired, which celebrates a radical and mesmerizing genius of profound influence.
3
Girl next door, activist, so-called traitor, fitness tycoon, Oscar winner: Jane Fonda has lived a life of controversy, tragedy and transformation – and she’s done it all in the public eye. An intimate look at one woman’s singular journey.
-1
On the heels of the Civil Rights Movement, one fearless black pioneer reconceived a Harlem Renaissance for a new era, ushering giants and rising stars of black American culture onto the national television stage. He was hip. He was smart. He was innovative, political, and gay. In his personal fight for social equality, this man ensured the Revolution would be televised. The man was Ellis Haizlip. The Revolution was soul!
5
When ten-year-old Elliott asks his 90-year-old great-grandfather, Jack, about the number tattooed on his arm, he sparks an intimate conversation about Jack’s life that spans happy memories of childhood in Poland, the loss of his family, surviving Auschwitz and finding a new life in America.
1
George Lopez returns for his fourth live solo stand-up special on HBO. George Lopez: The Wall, Live From Washington D.C. features Lopez with all new material, performed before a live audience at the Kennedy Center.
0
Massachusetts, 1892. An unmarried woman of 32 and a social outcast, Lizzie lives a claustrophobic life under her father's cold and domineering control. When Bridget Sullivan, a young maid, comes to work for the family, Lizzie finds a sympathetic, kindred spirit, and a secret intimacy soon blossoms into a wicked plan.
-1
Queen of the World offers unique insights into Her Majesty The Queen’s role as a figure on the global stage, and the baton she is passing to the younger members of the Royal Family as they continue to build upon the Commonwealth
1
A comedy about depression, alcoholism, suicide and the other funniest parts of life. Gethard holds nothing back as he dives into his experiences with mental illness and psychiatry, finding hope in the strangest places. An adaption of his one-man off-Broadway show of the same name.
-4
Former Gotham City District Attorney Harvey Dent, one side of his face scarred by acid, goes on a crime spree based on the number '2'. All of his actions are decided by the flip of a defaced, two-headed silver dollar.
-3
Directors Jonathan Alter, John Block and Steve McCarthy bring New York columnists Jimmy Breslin and Pete Hamill’s courageous writing to life, celebrating the acclaimed journalists and the city they loved.
3
As a visually radical memoir, CAMERAPERSON draws on the remarkable footage that filmmaker Kirsten Johnson has shot and reframes it in ways that illuminate moments and situations that have personally affected her. What emerges is an elegant meditation on the relationship between truth and the camera frame, as Johnson transforms scenes that have been presented on Festival screens as one kind of truth into another kind of story—one about personal journey, craft, and direct human connection.
2
Forced to flee his home in Honduras, Óscar seeks asylum in the United States, only to find himself trapped in the immigration system.
-2
In a spooky small town, when a slew of pizza delivery boys are slain on the job, two daring survivors set out to catch the culprits behind the cryptic crime spree.
-1
Batman, along with many of his allies and adversaries, finds himself transported to feudal Japan by Gorilla Grodd's time displacement machine.
-1
A group of Boston-bred gangsters set up shop in balmy Florida during the Prohibition era, facing off against the competition and the Ku Klux Klan.
-1
An intimate portrait of the acclaimed North Carolina band The Avett Brothers, charting their decade-and-a- half rise, while chronicling their present-day collaboration with famed producer Rick Rubin on the multi-Grammy-nominated album “True Sadness.”
2
A chronicle of the final chapters of Dr. Martin Luther King Jr.’s life, revealing a conflicted leader who faced an onslaught of criticism from both sides of the political spectrum.
-3
An investigation into one woman’s memory as she‘s forced to re-examine her first sexual relationship and the stories we tell ourselves in order to survive.
0
Set during the last days of the Ottoman Empire, a love triangle develops between Mikael, a brilliant medical student, the beautiful and sophisticated artist Ana, and Chris, a renowned American journalist based in Paris.
5
Charley Thompson, a teenager living with his single father, gets a summer job working for horse trainer Del Montgomery. Bonding with an aging racehorse named Lean on Pete, Charley is horrified to learn he is bound for slaughter, and so he steals the horse, and the duo embark on an odyssey across the new American frontier.
-2
When America's last standing roller rinks are threatened with closure, a community of thousands battle in a racially charged environment to save an underground subculture.
0
One of the greatest playwrights of the 20th century, Arthur Miller created such celebrated works as Death of a Salesman and The Crucible, which continue to move audiences around the world today. He also made headlines for being targeted by the House Un-American Activities Committee at the height of the McCarthy Era and entering into a tumultuous marriage with Hollywood icon Marilyn Monroe. Told from the unique perspective of his daughter, filmmaker Rebecca Miller, Arthur Miller: Writer is an illuminating portrait that combines interviews spanning decades and a wealth of personal archival material, and provides new insights into Miller’s life as an artist and exploring his character in all its complexity.
2
This stand-up special finds Holmes confronting personal truths about the mechanisms of consciousness, the afterlife and Elon Musk, as well as sharing a few thoughts on being a new dad.
1
A dramatization of the accounts of the students, parents, teachers and administrators caught in America’s school-to-prison pipeline, which pushes underprivileged, minority youth out of the classroom and into incarceration.
0
Samantha Kingston has everything. Then, everything changes. After one fateful night, she wakes up with no future at all. Trapped into reliving the same day over and over, she begins to question just how perfect her life really was.
-1
In a world of talking food, best mates Apple and Onion fumble through city life, tackling ordinary problems by extraordinary means.
0
Miguel, a heroic Spanish doctor, puts himself in harm's way to deliver medical treatment to the victims of military uprisings in Africa.
-1
Stillman, a heartbroken physics student, builds a time machine when his girlfriend breaks up with him. Going back in time, he attempts to save their relationship by fixing every mistake he made—while dragging his best friend along in the process.
-2
As a group of university students go out for a night on the town, a sophomore known only as "The Girl with Black Hair" experiences a series of surreal encounters with the local nightlife – all the while unaware of the romantic longings of "Senpai", a senior student who has been creating increasingly fantastic and contrived reasons to run into her in an effort to win her heart.
2
In the midst of a marital crisis, a High Court judge must decide if she should order a life-saving blood transfusion for a teen with cancer despite his family's refusal to accept medical treatment for religious reasons.
-3
Tara Markov is a girl who has power over earth and stone; she is also more than she seems. Is the newest Teen Titan an ally or a threat? And what are the mercenary Deathstroke's plans for the Titans?
-1
Over the course of 12 years, and three stages of life, Sidney Hall falls in love, writes the book of a generation and then disappears without a trace.
0
Sandra Bland was a bright, energetic activist whose life was cut short when a traffic stop resulted in a mysterious jail cell death just three days later.
-1
On the outskirts of Brooklyn, Frankie, an aimless teenager, suffocates under the oppressive glare cast by his family and a toxic group of delinquent friends. Struggling with his own identity, Frankie begins to scour hookup sites for older men.
-6
Explore the psychological underpinnings of love and murder in a small mountain resort town while following popular children’s book author and illustrator Olivia Lake, whose literary success makes her a local celebrity in the tight-knit community.
2
In an oppressive future, a 'fireman' whose duty is to destroy all books begins to question his task.
-2
A funny, intimate and heartbreaking portrait of one of the world’s most beloved and inventive comedians, Robin Williams, told largely through his own words. Celebrates what he brought to comedy and to the culture at large, from the wild days of late-1970s L.A. to his death in 2014.
-1
A woman’s life becomes dramatically altered when her routine medical check-up delivers a cancer diagnosis.
-1
In the 1990s, a motley band of teen surfers from the north shore of Oahu brought professional surfing to new heights. But as their stars rose, the competition threatened to tear their group apart.
-1
A decade after a tragic mistake, family man Chas and occult detective John Constantine set out to cure Chas’s daughter Trish from a mysterious supernatural coma. With the help of the mysterious Nightmare Nurse, the influential Queen of Angels, and brutal Aztec God Mictlantecuhtli, the pair just might have a chance at outsmarting the demon Beroul to save Trish’s soul. In a world of shadows and dark magic, not everything is what it seems, and there’s always a price to pay. The path to redemption is never easy, and if Constantine is to succeed, he must navigate through the dark urban underbelly of Los Angeles, outwit the most cunning spawns of hell, and come face to face with arch-nemesis Nergal – all while battling his own inner demons!
-3
The story of legendary comedian Garry Shandling, featuring interviews from nearly four dozen friends, family and colleagues; four decades’ worth of television appearances; and a lifetime of personal journals, private letters and home audio and video footage.
2
Follows a variety of New York characters as they navigate personal relationships and unexpected problems over the course of one day.
-1
Task Force X targets a powerful mystical object that they will risk their lives to steal.
-2
At the age of 91, Mel Brooks is unstoppable, with his musical Young Frankenstein opening to great critical acclaim in London in late 2017. Alan Yentob visits Mel at home in Hollywood, at work and at play.
2
Halla declares a one-woman-war on the local aluminium industry. She is prepared to risk everything to protect the pristine Icelandic Highlands she loves… Until an orphan unexpectedly enters her life.
-2
The comic/actor T.J Miller showcases his irreverent comedy talents at the Paramount Theater in his hometown of Denver.
2
A one-of-a-kind barbershop experience with unfiltered conversation and debate from the biggest names in sports and entertainment.
0
A retired businesswoman – who tries to control everything around her – decides to write her own obituary. A young journalist takes up the task of finding out the truth, and the result is a life-altering friendship.
0
There are 100,000 US citizens in solitary confinement across the country, a staggering number prompting comment from both President Obama and the Pope. Situated in rural Virginia, 300 miles from any urban center, Red Onion State Prison is one of over 40 supermax prisons across the US built to hold prisoners in eight-by-ten-foot cells for 23 hours a day. Filmed over the course of one year, this eye-opening film braids stark prison imagery, stories from correction officers, and intimate reflections from the men who are locked up in isolation. The inmates share the paths that led them to prison and their daily struggles to maintain their sanity.
-6
The story of the freed female hostages of Boko Haram, detailing their lives in captivity and since their release.
0
An eight-episode story charting seven days from the life of a cocaine dealer whose perfectly organized life begins to sink into chaos while he is forced to make the most important choices in his life.
0
Xiao Zhen is a 16-year-old girl born with the ability to see spirits. As she uses her power to help the living deal with their loved ones on the other side, she must juggle the pressures of teenage life with the demands of the spirit world.
1
Batman and Nightwing are forced to team with the Joker's sometimes-girlfriend Harley Quinn to stop a global threat brought about by Poison Ivy and Jason Woodrue, the Floronic Man.
-3
A heinous crime tests the complex relationship between a tenacious personal assistant and her Hollywood starlet boss. As the assistant travels across Los Angeles to unravel the mystery, she must stay one step ahead of a determined policeman and confront her own understanding of friendship, truth and celebrity.
-5
Builder Chase Morrill is teaming up with his brother, sister and best friend to save and transform abandoned cabins buried deep in the remote woods of Maine. From historic cottages nearly a century old, to camp cabins in need of some major TLC, they'll give these properties the facelift they've needed for decades. And, you never know what you might find when you go for a walk in the woods.
1
Paul is a down-on-his-luck screenwriter who picks up a drifter and offers him a place to stay. However, when the deranged stranger takes Paul hostage and forces him to write, their unhinged relationship brings buried secrets to light.
-2
The Scooby gang visits a culinary resort run by Fred's uncle, Bobby Flay. While enjoying the sights, a ghost attacks the guests and destroys the resort, leaving the gang to put a stop to its threat.
-1
After becoming the winningest coach in college football history, Joe Paterno is embroiled in Penn State's Jerry Sandusky sexual abuse scandal, challenging his legacy and forcing him to face questions of institutional failure regarding the victims.
-5
A documentary on the life and career of one of the most influential film directors of all time, Steven Spielberg.
1
In this horrifyingly modern fairytale lurks an online Boogeyman and two 12-year-old girls who would kill for him. The entrance to the internet quickly leads to its darkest basement. How responsible are our children for what they find there?
1
An aging screen icon gets lured into accepting an award at a rinky-dink film festival in Nashville, Tenn., sending him on a hilarious fish-out-of-water adventure and an unexpectedly poignant journey into his past.
2
A doctor desperately tries to save his wife and their 5 year old son after their vacation in the Bahamas takes an unexpected turn.
-2
An intimate journey through the formative years of David Lynch's life. From his idyllic upbringing in small town America to the dark streets of Philadelphia, we follow Lynch as he traces the events that have helped to shape one of cinema's most enigmatic directors.
2
The story of the evolution of a boy from Nebraska who became one of the most respected men in the world, and the heroes who helped guide him along the way. By allowing access to his life and never-before-released home videos, Buffett offers a glimpse into his unique mind to help us understand what is truly important when money no longer has meaning.
3
Thousands of years in the future, teams of Ballmastrz face off against each other using their own hyper-creative and artificially intelligent combat weapons to attack, defend and score.
0
During the course of one day, a group of students at a school in Los Angeles find themselves caught up in a plot of sex, lies and dead bodies.
-3
After learning his jellyfish parents adopted him, a teen boy tries to find himself.
0
In the wake of Freddie Gray's death in police custody, peaceful protests and destructive riots erupted as the city awaited the fate of six police officers involved in the incident. Follow the activists, police officers, community leaders and gang affiliates, who struggle to hold Baltimore together.
-3
This poignant documentary explores the unbreakable bond between multi-purpose K9s and their handlers.
2
An idealistic young employee at the U.N. investigates the grizzly murder of his predecessor – and uncovers a vast global conspiracy that may involve his own boss.
-2
Comedian Michelle Wolf stars in her first HBO special — an hour of stand-up featuring her observations on feminism, dating, and other social issues.
-1
The chronicles of tennis icon Serena Williams at a pivotal moment in her personal and professional life
0
In the last five years of his life, David Bowie ended nearly a decade of silence to engage in an extraordinary burst of activity, producing two groundbreaking albums and a musical. David Bowie: The Last Five Years explores this unexpected end to a remarkable career. Made with remarkable access, Francis Whately’s documentary is a revelatory follow-up to his acclaimed 2013 documentary David Bowie: Five Years, which chronicled Bowie’s golden ‘70s and early-‘80s period.
5
Irrepressible writer-comedian Carl Reiner, who shows no signs of slowing down at 94, tracks down celebrated nonagenarians, and a few others over 100, to show how the twilight years can truly be the happiest and most rewarding. Among those who share their insights into what it takes to be vital and productive in older age are Mel Brooks, Dick Van Dyke, Kirk Douglas, Norman Lear, Betty White and Tony Bennett.
1
A fast-talking lawyer transforms his body and takes a vow of silence, not to be broken until he finds out who killed his wife and daughter and has his revenge.
-3
Exploring provocative viewpoints from engineers, factory workers, journalists, philosophers and Asimov himself, The Truth About Killer Robots is a cautionary tale about a world automating beyond control.
-3
A harrowing, unflinching look at the devastating effects of opioid addiction in the U.S. told from the perspectives of four families devastated by the deadly epidemic.
-4
Breaion King, a 26 year-old African-American school teacher from Austin, Texas - is pulled over for a routine traffic stop that escalates into a violent arrest. Dashcam clips intercut with verite scenes tell a story of racism in law enforcement through the eyes of one of its victims.
-2
When the Scooby gang visits a dude ranch, they discover that it and the nearby town have been haunted by a ghostly cowboy, Dapper Jack, who fires real fire from his fire irons. The mystery only deepens when it’s discovered that the ghost is also the long lost relative of Shaggy Rogers!
-2
Documentary following three families each coping with a child affected by serious emotional or mental illness. The families explore treatment opportunities and grapple with the struggle of living with their child's condition.
-3
A look at the evolving nature of sex and dating in the digital age that offers candid insights from twentysomethings and experts in the field.
0
An intimate portrait of Washington Post executive editor Ben Bradlee, tracing his remarkable ascent from a young Boston boy stricken with polio to the one of the most pioneering and consequential journalistic figures of the 20th century.
1
Part road-movie and part intimate portrait of lives in transit, IT WILL BE CHAOS unfolds between Italy and the Balkan corridor, intercutting two unforgettable refugees stories of human strength and resilience.
1
An unsettling look at reality television, where a disturbing game show has its contestants ending their lives for the public's enjoyment.
-1
An intimate portrait of Hollywood royalty featuring Debbie Reynolds, Todd Fisher, and Carrie Fisher.
1
In-depth look at the life of John McCain, from his time as a POW in Vietnam to his three decades of service in the US Senate.
0
The modern criminal justice system is hindered by the fact that countless rape kits remain untested in police evidence storage facilities across the United States. Only eight states currently have laws requiring mandatory testing of rape kits.
-3
Some of the original "Total Drama" characters enter into an alternate universe where they are aged down from teenagers to toddlers.
0
Cody, Chicken Joe and Lani are back in their most epic adventure yet! The most radical surfing dream team, The Hang Five puts Cody and his friends to the test and teaches them the meaning of teamwork as they journey to the most legendary surfing spot on the planet.
-1
Reverse-Flash manipulates the Speed Force to put the Flash into a time loop that forces him to relive the same day over and over again—with progressively disastrous results, including losing his powers and being fired by the Justice League. The Flash must find a way to restore time to its original path and finally apprehend his worst enemy before all is lost for the Flash…and the world!
-5
Scooby-Doo and the Mystery Inc. gang meet up with Batman and other friends to defeat evil villains and save the day.
-1
Mystery, Inc. heads to Blowout Beach for a real swinging beach party when the Ghost Pirates threaten to harsh the good vibes.
-2
Raúl, Eduardo and Santiago have led a happy and "straight" life since their childhood, until, one day, Santiago confesses to them that he is gay.
2
Aquaman must battle foes in the air, on land and in the depths of the Seven Seas, along with some help from The Justice League, to save the day.
-1
Originally from Africa, Mari McCabe grew up an orphan after her parents were killed by local greed, corruption and wanton violence. But Mari refuses to succumb to the terrors surrounding her. Inheriting her family's Anansi Totem, Mari can access the powers of animals - anything from the super-strength of a gorilla to the speed of a cheetah. As Vixen, she fights valiantly to protect the world from threats like those that claimed her family.
-6
Earth-X is one of many realities in the multiverse, with one glaring difference from out Earth: The Nazis won World War II. Led by The Ray, a group of heroes known as the Freedom Fighters battle selflessly against tyranny,. But when The Ray is transported to our Earth to save his life, he passes his powers to his unsuspecting counterpart, Ray Terrill. Charged with superhuman abilities, Terrill is newly christened The Ray and must adapt and over the challenges of crime-fighting with a little help from The Flash and Green Arrow. Seasoned and ready to fight, The Ray now faces his biggest battle: a return to Earth-X to lead the Freedom Fighters against Overgirl and her evil Nazi henchmen!
5
After a mysterious school opens across the street, the students of Super Hero High find themselves up against a new threat. Now, Wonder Woman, Supergirl, Batgirl and the rest of the DC Super Hero Girls not only have to worry about the well-being of their grades, but the safety and security of friends, family and the rest of civilization. The girls must figure out how to put a stop to this evil, new cross-town rival and save the world once again
1
Super Hero High is facing off against Korugar Academy in the Intergalactic Games, but Lena Luthor takes advantage of the gathering of Supers to enact her villainous plan.
3
Siren steals the Book of Legends in order to locate the Trident of Atlantis and rule the entire ocean.
-1
A poetic journey into the visual world of the legendary filmmaker and actor Orson Welles (1915-85) that reveals a new portrait of a unique genius, both of his life and of his monumental work: through his own eyes, drawn by his own hand, painted with his own brush.
5
An FBI agent, his partner, his niece and her cowardly dog investigate supernatural phenomena.
-1
Bill Maher will be bringing his stand-up show to screens this summer with when he appears on stage from Tulsa in Bill Maher: Live From Oklahoma.
0
Set in the Hasidic enclave of Borough Park, Brooklyn, "93Queen" follows a group of tenacious Hasidic women who are smashing the patriarchy in their community by creating the first all-female volunteer ambulance corps in New York City. With unprecedented-and insider-access, "93Queen" offers up a unique portrayal of a group of religious women who are taking matters into their own hands to change their own community from within.
1
A hilarious mashup of two beloved television formats that pits comedians and celebrities against each other for the title of “Best Guest of the Night.” Celebrity guests become contestants as they compete in various talk show-inspired challenges and are judged by a comedic panel who awards points and roasts their performances.
4
Unveils the exploitative world of high-revenue college sports through the stories of young men at varying stages in their athletic careers.
0
Hans Christian Andersen's classic tale gets a colorful, music-filled makeover in the whimsical special. Filled with bold animation, catchy musical numbers and valuable lessons, this enchanting twist on a beloved tale chronicles the story of an Emperor whose blinding vanity makes him an easy target for two phony tailors.
3
Joanna Gaines gives the full story behind bringing details and designs together for her season 5 Fixer Upper clients. She unveils surprises viewers didn't see in the original episodes, and gives a peek at never-before-seen rooms.
0
How African Americans created the upbeat musical form that started out as gospel quartet music and became rock and roll.
1
As police and DEA agents battle sophisticated cartels, rural, economically-disadvantaged users and dealers–whose addiction to ICE and lack of job opportunities have landed them in an endless cycle of poverty and incarceration–are caught in the middle.
-1
Filmed in front of a live audience, this special features the one-and-only Orlando Leyba. An American stand-up comedian, Leyba has a knack for finding humor in just about anything that crosses his path.
1
Intent on escaping her coastal bubble, Alexandra Pelosi sets out on a cross-country trip to engage in conversations with fellow Americans in an effort to gain an unfiltered understanding of other perspectives.
1
Millennial hero Derrick Beckles hosts the show millennials want to watch!
1
Joey Fatone hosts a behind the scenes look at Impractical Jokers.
-2
Cynthia Lowen’s powerful documentary Netizens highlights three women as each wages war against one of the internet’s most malevolent forces: prevalent and un-policed misogyny, harassment, and stalking. Directed at thousands of women daily by way of social media, it lies in plain sight, and its ramifications never remain only online. The film deftly depicts not only the forms digital abuse can take, from non-consensual pornography to invasion of privacy, but also the consequences for its victims.
-3
An Ivy-­league bound, overachieving teen is derailed after a manic episode lands her in a school for kids with mental illness.
-2
Newly restored and assembled by the International Olympic Committee - the earliest comprehensive moving-image record of the modern Olympic Games that survives today.
3
Three simultaneous stories of social inclusion: a single mother of two autistic teenagers, a married couple trying unsuccessfully to have a child, and the father of a Special Olympics athlete.
-1
HD. The acclaimed Cuban duo performs classic hits in a stunning performance along the majestic Havana shoreline.
4
Head into the energetic, hilarious world of funny-man Jerry Garcia, the rising Latino comic and a single father of three. Recorded in front of a live audience, this special reveals the California-raised comedian's superior ability to make fun of himself, his parenting style, his efforts in dating and more.
4
Despite boasting more Olympic gold titles for boxing than any other country, Cuba falls behind the rest of the world in its attitude to the place of women in the ring: to this day, there exists a nationwide ban on women's competitive boxing. The film captures the tireless battle of Namibia Flores Rodriguez, the only known female boxer in the Caribbean nation. Training at Havana's Rafael Trejo arena in defiance of the ban, the athlete undertakes the same unrelenting regime as her male counterparts-running the same circuits, lifting the same truck tires-but without the hope that she might one day represent her country.
-1
Set in 1932 Los Angeles, the series focuses on the origin story of famed defense lawyer Perry Mason. Living check-to-check as a low-rent private investigator, Mason is haunted by his wartime experiences in France and suffering the effects of a broken marriage. L.A. is booming while the rest of the country recovers from the Great Depression — but a kidnapping gone very wrong leads to Mason exposing a fractured city as he uncovers the truth of the crime.
-1
A cash-strapped young couple inherits a grand country house, only to find it is both falling apart and teeming with the ghosts of former inhabitants.
-1
The true story of one of the worst man-made catastrophes in history: the catastrophic nuclear accident at Chernobyl. A tale of the brave men and women who sacrificed to save Europe from unimaginable disaster.
-5
Lyra is an orphan who lives in a parallel universe in which science, theology, and magic are intertwined. Her search for a kidnapped friend uncovers a sinister plot involving stolen children and turns into a quest to understand a mysterious phenomenon called Dust. She is later joined on her journey by Will, a boy who possesses a knife that can cut windows between worlds. As she learns the truth about her parents and her prophesied destiny, the two young people are caught up in a war against celestial powers that ranges across many worlds.
-5
Harley Quinn has finally broken things off once and for all with the Joker and attempts to make it on her own as the criminal Queenpin of Gotham City.
-3
A group of high school students navigate love and friendships in a world of drugs, sex, trauma, and social media.
0
The first season of this comedy anthology is set in the offices of Heaven Inc. When God plans to destroy the Earth, two low-level angels must convince their boss to save humanity. They bet him they can pull off their most impossible miracle yet: help two humans fall in love.
1
The story of a world-famous televangelist family with a history of deviance, greed and, yes, charitable work, all in the name of Jesus.
2
The Doom Patrol’s members each suffered horrible accidents that gave them superhuman abilities — but also left them scarred and disfigured. Traumatized and downtrodden, the team found purpose through The Chief, who brought them together to investigate the weirdest phenomena in existence — and to protect Earth from what they find.
-4
Flight attendant Cassandra Bowden wakes in her hotel room hungover from the night before in Dubai with a dead body lying next to her. Afraid to call the police, she continues her morning as if nothing happened. In New York, she is met by FBI agents who question her about her recent layover in Bangkok. Still unable to piece the night together, she begins to wonder if she could be the killer.
-4
The troubled crew of Avenue 5, a space cruise ship filled with spoiled, rich, snotty space tourists, must try and keep everyone calm after their ship gets thrown off course into space and ends up needing three years to return to Earth.
0
The anthology horror series follows 25-year-old Atticus Freeman, who joins up with his friend Letitia and his Uncle George to embark on a road trip across 1950s Jim Crow America to find his missing father. They must survive and overcome both the racist terrors of white America and the malevolent spirits that could be ripped from a Lovecraft paperback.
-4
Armed with only one word - Tenet - and fighting for the survival of the entire world, the Protagonist journeys through a twilight world of international espionage on a mission that will unfold in something beyond real time.
1
A boy is given the ability to become an adult superhero in times of need with a single magic word.
1
A caveman forms a bond with a dinosaur as they struggle to survive in a hostile world.
-2
During the 1980s, a failed stand-up comedian is driven insane and turns to a life of crime and chaos in Gotham City while becoming an infamous psychopathic crime figure.
-6
Set in an alternate history where “superheroes” are treated as outlaws, “Watchmen” embraces the nostalgia of the original groundbreaking graphic novel while attempting to break new ground of its own.
-1
The origin story of Bruce Wayne's legendary butler, Alfred Pennyworth, a former British SAS soldier who forms a security company in 1960s London and goes to work with young billionaire Thomas Wayne and his wife Martha, before they become Bruce Wayne’s parents.
2
Two recent community-college graduates get stuck working at Rent-T-Own in the Chicago neighborhood of Englewood and work to achieve their entrepreneurial dreams.
0
When an insidious supernatural force edges its way into a seemingly straightforward investigation into the gruesome murder of a young boy, it leads a seasoned cop and an unorthodox investigator to question everything they believe in.
-1
Young bankers and traders make their way in the financial world in the aftermath of the 2008 collapse.
-1
The Undoing is an upcoming American drama miniseries. Based on the 2014 novel You Should Have Known by Jean Hanff Korelitz
0
The docuseries follows people deeply involved in the group NXIVM — which is faced with various charges, including sex trafficking and racketeering conspiracy — over the course of several years.
-1
Courtney Whitmore, a smart, athletic and above all else kind girl, discovers her step-father has a secret: he used to be the sidekick to a superhero. "Borrowing" the long-lost hero’s cosmic staff, she becomes the unlikely inspiration for an entirely new generation of superheroes.
2
Fred Flarsky is a gifted and free-spirited journalist who has a knack for getting into trouble. Charlotte Field is one of the most influential women in the world -- a smart, sophisticated and accomplished politician. When Fred unexpectedly runs into Charlotte, he soon realizes that she was his former baby sitter and childhood crush. When Charlotte decides to make a run for the presidency, she impulsively hires Fred as her speechwriter -- much to the dismay of her trusted advisers.
1
In an isolated and inaccessible Antarctic research station in which winter has fallen on the South Pole and the sun will soon disappear for the next six months, a small team, known as the Winterers, remain at the Polaris VI Antarctic Research Station to continue their innovative research. Renowned biologist Arthur Wilde is determined to find a solution to climate change, but his quest turns into a nightmare when several of his esteemed scientists suddenly begin to die.
-2
A female celebrity has her whole life upended when her phone is hacked and a photo of her in an extremely compromising position emerges.
0
As Britain is rocked by unstable political, economic and technological advances, members of the Lyons family converge on one crucial night in 2019. Over the next 15 years, the twists and turns of their everyday lives are explored as we find out if this ordinary family could change the world.
-2
Halifax, West Yorkshire, England, 1832. Anne Lister attempts to revitalize her inherited home, Shibden Hall. Most notably for the time period, a part of her plan is to help the fate of her own family - by taking a wife.
2
John Garrity, his estranged wife and their young son embark on a perilous journey to find sanctuary as a planet-killing comet hurtles toward Earth. Amid terrifying accounts of cities getting levelled, the Garritys experience the best and worst in humanity. As the countdown to the global apocalypse approaches zero, their incredible trek culminates in a desperate and last-minute flight to a possible safe haven.
-2
A former professional dancer, Brooke, and her brother, an aspiring actor, try to find their place in the world while wrestling with their feelings about their 13-year-old brother Chase's sudden rise to internet fame.
1
Harley Quinn joins forces with a singer, an assassin and a police detective to help a young girl who had a hit placed on her after she stole a rare diamond from a crime lord.
-3
Smiling Friends Inc. is a small company whose main purpose is to bring happiness and make people smile. The series follows the day-to-day lives and misadventures of its representatives, the lazy, cynical Charlie, and the cheerful, optimistic Pim, as they try to cheer up and comfort the troubled people who call their company's hotline. They receive seemingly simple requests but the jobs turn out to be more complicated than they seem, making it difficult to bring happiness to the world.
3
A gritty, action-packed crime drama set during the brutal Tong Wars of San Francisco’s Chinatown in the second half of the 19th century. The series follows Ah Sahm, a martial arts prodigy who immigrates from China to San Francisco under mysterious circumstances, and becomes a hatchet man for one of Chinatown’s most powerful tongs.
-2
Small-town residents from across America are recruited and trained to participate in a one-night-only drag show. In each episode, former RuPaul’s Drag Race contestants Bob the Drag Queen, Eureka O’Hara and Shangela Laquifa Wadley will help prepare their “drag daughters” by teaching them how to step outside of their comfort zones.
-3
Set in London, where gratification is only an app away, the story centers on Arabella,  a carefree, self-assured Londoner with a group of great friends, a boyfriend in Italy, and a burgeoning writing career. But when her drink is spiked, she must question and rebuild every element of her life.
3
There's not a lot of fires to fight in one of the rainiest cities in America, leaving the crew at the Tacoma Fire Department tackling the less glamorous elements of the job. Light on blazes that need extinguishing, this squad keeps itself entertained with creative competitions, friendly first responder rivalries, and bizarre emergency calls.
0
A unique story told over two distinct halves, "Summer" follows Sam, a man drawn to a mysterious island off the British coast where he encounters a group of islanders set on preserving their traditions at any cost. "Winter" follows Helen, a strong-willed outsider who comes to the island seeking answers, but whose arrival precipitates a fractious battle to decide its fate.
-4
Since social distancing at home, Selena Gomez has been spending more time in the kitchen than she ever imagined. But despite her many talents, it remains to be seen if cooking is one of them. In each episode, Selena will be joined remotely by a different master chef.
2
A botched store robbery places Wonder Woman in a global battle against a powerful and mysterious ancient force that puts her powers in jeopardy.
0
A group of friends turn their love for horror into a peculiar business, providing horror to those who need it, in a dreamy Latin American country where the strange and eerie are just part of daily life.
-1
Explores the experiences of James Safechuck and Wade Robson, who were both befriended and sexually abused by singer Michael Jackson, and the complicated feelings that led them both to confront their experiences.
-2
The beloved Crawleys and their intrepid staff prepare for the most important moment of their lives. A royal visit from the King and Queen of England will unleash scandal, romance and intrigue that will leave the future of Downton hanging in the balance.
1
An alternate American history told through the eyes of a working-class Jewish family in New Jersey, as they watch the political rise of Charles Lindbergh, an aviator-hero and xenophobic populist, who becomes president and turns the nation toward fascism.
-1
Casey is attacked at random on the street and enlists in a local dojo led by a charismatic and mysterious Sensei in an effort to learn how to defend himself. What he uncovers is a sinister world of fraternity, violence and hypermasculinity and a woman fighting for her place in it.
0
Hellboy comes to England, where he must defeat Nimue, Merlin's consort and the Blood Queen. But their battle will bring about the end of the world, a fate he desperately tries to turn away.
0
Kate Kane, armed with a passion for social justice and a flair for speaking her mind, soars onto the streets of Gotham as Batwoman, an out lesbian and highly trained street fighter primed to snuff out the failing city's criminal resurgence. But don't call her a hero yet. In a city desperate for a savior, Kate must overcome her own demons before embracing the call to be Gotham's symbol of hope
-2
Two Australian party girls, Sarah and Rachel, looking for fun times, new experiences, positive vibes, and hopeful horoscopes in the bizarre town of Wollongong. Sarah's quest is to find love, whereas Rachel hungers for chaos, often bringing them into conflict as they encounter surreal Australiana, strange bush creatures, and eccentric nomads.
0
A look at the personal and professional lives of the judges, lawyers, clerks, bailiffs and cops who work at an L.A. County courthouse.
1
In a uniquely hilarious odyssey of self-discovery and cultural observation, documentary filmmaker and self-described "anxious New Yorker" John Wilson covertly and obsessively films the lives of his fellow New Yorkers while attempting to give everyday advice on relatable topics. The awkward contradictions of modern life are eased by Wilson’s candid, unpolished commentary. Building upon Wilson’s previously released "how to" short films, each episode takes wildly unexpected turns but is grounded in John's refreshing honesty.
-1
College student Danielle must cover her tracks when she unexpectedly runs into her sugar daddy at a shiva - with her parents, ex-girlfriend and family friends also in attendance.
-1
Teen Michelle Carter’s actions shocked a nation — but what really happened behind closed doors?
-1
A star athlete and top student, Luce's idealized image is challenged by one of his teachers when his unsettling views on political violence come to light, putting a strain on family bonds while igniting intense debates on race and identity.
-2
A former basketball all-star, who has lost his wife and family foundation in a struggle with addiction, attempts to regain his soul and salvation by becoming the coach of a disparate ethnically mixed high school basketball team at his alma mater.
-2
Explore the 1999 disappearance and murder of 18-year-old Baltimore County high school student Hae Min Lee, and the subsequent conviction of her ex-boyfriend, Adnan Syed, a case brought to global attention by the hugely popular Serial podcast.
0
Nancy Drew makes plans to leave her hometown for college, but finds herself drawn into a supernatural murder mystery instead.
-2
One fateful day, all of humanity was petrified by a blinding flash of light. After several millennia, high schooler Taiju awakens and finds himself lost in a world of statues. However, he's not alone! His science-loving friend Senku's been up and running for a few months and he's got a grand plan in mind, to kickstart civilization with the power of science!
-3
Debra, Debra, and Debra are three very busy women who are all named Debra. They live in the affluent suburb of Lemoncurd and do lots of interesting activities, which keep them very busy.
2
A young man’s life is suddenly and inexplicably derailed, as he finds himself at the mercy of automated ‘justice’.
1
With help from her dad and grandmother, Nora Lum navigates young adulthood in Flushing, New York with her cousin.
0
Fascinated by the human brain and its capacity for ruthlessness, psychiatrist Dr. Dorothy Otnow Lewis has spent her life investigating the interior lives of violent people. With each case, she came closer to developing a unified field theory of what makes a killer. Along the way - steering away from the conventional wisdom of her colleagues - she explored the world of multiple personality disorder.
-3
When a ruptured water main creates an enormous sinkhole right in front of Bob's Burgers, it blocks the entrance indefinitely and ruins the Belchers’ plans for a successful summer. While Bob and Linda struggle to keep the business afloat, the kids try to solve a mystery that could save their family's restaurant. As the dangers mount, these underdogs help each other find hope and fight to get back behind the counter, where they belong.
-3
The story of the triumphs and hurdles of brothers Barry, Maurice, and Robin Gibb, otherwise known as the Bee Gees. The iconic trio, who found early fame in the 1960s, went on to write over 1,000 songs and have 20 No. 1 hits throughout their career, transcending more than five decades of changing tastes and styles.
2
A look behind the curtain of Washington politics following three "renegade" Republican Congressmen as they bring libertarian and conservative zeal to champion the President’s call to “drain the swamp.”
0
A tribe of cats called the Jellicles must decide yearly which one will ascend to the Heaviside Layer and come back to a new Jellicle life.
0
A diverse group of young women navigate their lives through the male-dominated world of skateboarding in New York City. Inspired by the critically acclaimed film Skate Kitchen.
1
Magdalena, a mother in search of her missing son, meets Miguel, recently deported from the US and looking for his mother. Together, they make their way through the desolate and unforgiving militia-ridden landscapes south of the border.
-2
A narrative series set in a limitless magical reality full of dynamic, hilarious characters and celebrity guests presenting sketches performed by a core cast of black women.
3
A young black man named Bigger Thomas takes a job working for a highly influential Chicago family, a decision that will change the course of his life forever.
1
A wealthy London housewife is forced to return to her hometown in Australia, where she's forced to confront her past and the reasons that caused her to leave years ago.
0
For a year, acclaimed British filmmaker Jeanie Finlay was embedded on the set of the hit HBO series “Game of Thrones,” chronicling the creation of the show’s most ambitious and complicated season.  Debuting one week after the series 8 finale, GAME OF THRONES: THE LAST WATCH delves deep into the mud and blood to reveal the tears and triumphs involved in the challenge of bringing the fantasy world of Westeros to life in the very real studios, fields and car-parks of Northern Ireland.  Made with unprecedented access, GAME OF THRONES: THE LAST WATCH is an up-close and personal portrait from the trenches of production, following the crew and the cast as they contend with extreme weather, punishing deadlines and an ever-excited fandom hungry for spoilers.  Much more than a “making of” documentary, this is a funny, heartbreaking story, told with wit and intimacy, about the bittersweet pleasures of what it means to create a world – and then have to say goodbye to it.
1
This docuseries explores the period between 1979 and 1981 when at least 30 African-American children and young adults disappeared or were murdered in Atlanta, Georgia.
0
A once-abused woman devotes herself to ridding victims of their domestic abusers while hunting down the one she must kill to be truly free.
0
In Scooby-Doo’s greatest adventure yet, see the never-before told story of how lifelong friends Scooby and Shaggy first met and how they joined forces with young detectives Fred, Velma, and Daphne to form the famous Mystery Inc. Now, with hundreds of cases solved, Scooby and the gang face their biggest, toughest mystery ever: an evil plot to unleash the ghost dog Cerberus upon the world. As they race to stop this global “dogpocalypse,” the gang discovers that Scooby has a secret legacy and an epic destiny greater than anyone ever imagined.
-1
British version of the Spanish reality series "El Puente" in which 12 strangers come together on the banks of a picturesque lake in the British countryside to work together, attempting to build a bridge in 20 days to an island 250 meters away. Each person in the winning team will get a vote for who they think is the most deserving of of the £100k prize. The winner is then left to decide whether to keep the money or share it.
5
A woman with limited hopes due to dwarfism toils in a rundown motel in rural Poland, as a maid. Will the repeated visits of an interesting man, a truck driver, change the loneliness of her situation?
-2
A filmed version of David Byrne's Broadway show, a unifying musical celebration that inspires audiences to connect to each other and to the global community.
1
Copenhagen Police's Homicide unit, headed by Jens Møller, tries to solve the murder of Swedish journalist Kim Wall.
-1
The extraordinary tale of Harriet Tubman's escape from slavery and transformation into one of America's greatest heroes. Her courage, ingenuity and tenacity freed hundreds of slaves and changed the course of history.
6
Fresh out of prison, world-class thief Daisy ”Jett” Kowalski  is forced back into doing what she does best by dangerous and eccentric criminals determined to exploit her skills for their own ends.
-2
A man finds his stolen bicycle, but now it belongs to a stranger. How much of himself will he lose to get it back?
-3
The summer of his high school freshman year, Hodaka runs away from his remote island home to Tokyo, and quickly finds himself pushed to his financial and personal limits. The weather is unusually gloomy and rainy every day, as if taking its cue from his life. After many days of solitude, he finally finds work as a freelance writer for a mysterious occult magazine. Then, one day, Hodaka meets Hina on a busy street corner. This bright and strong-willed girl possesses a strange and wonderful ability: the power to stop the rain and clear the sky.
-1
When nomadic beekeepers break Honeyland’s basic rule (take half of the honey, but leave half to the bees), the last female beehunter in Europe must save the bees and restore natural balance.
-1
A documentary chronicling the shared experiences of prominent former child stars and the personal and professional price of fame and failure on a child.
1
With a magical new invention that promised to revolutionize blood testing, Elizabeth Holmes became the world’s youngest self-made billionaire, heralded as the next Steve Jobs. Then, overnight, her 10-billion-dollar company dissolved. The rise and fall of Theranos is a window into the psychology of fraud.
1
An introduction to the terrorist attacks in the United States on September 11, 2001 presented for a young audience.
-1
Louis Menkins is five weeks away from being released after 26 years in prison. He is faced with the decision to put his own release at risk in order to protect a young man named Beecher from growing gang controversies.
-2
A documentary that focuses on a dangerously legendary water park and its slew of injuries and crimes along with child safety concerns.
-2
A look at the varied new ways Americans are choosing to both find meaning and celebrate life as it comes to an end.
1
This four-part historical drama follows the end of Catherine the Great's reign and her affair with Russian military leader Grigory Potemkin that helped shape the future of Russian politics.
2
The son of a notorious serial killer becomes an acclaimed criminal psychologist who uses his unique insight into how killers think to help the NYPD.
-3
A superintendent of a school district works for the betterment of the student’s education when an embezzlement scheme is discovered, threatening to destroy everything.
-1
A detailed account of the McDonald's Monopoly game scam during the 1990s as told by the participants in the case, including the prizewinners and the FBI agents involved.
-1
A behind-the-scenes documentary about the recording of Aretha Franklin's best-selling album finally sees the light of day more than four decades after the original footage was shot.
1
In this multimedia comedy show, Torres explores his favorite shapes, which include a plexiglass square, a triangle, an oval that wishes he were a circle, a self-conscious cactus and a Ferrero Rocher chocolate that Julio is mad at because she left her little skirt at home. The objects are presented via an industrial conveyer belt and serve as a jumping-off point for fantastical stories, anecdotes and jokes.
-2
The Justice League faces a powerful new threat — the Fatal Five! Superman, Batman and Wonder Woman seek answers as the time-traveling trio of Mano, Persuader and Tharok terrorize Metropolis in search of budding Green Lantern, Jessica Cruz. With her unwilling help, they aim to free remaining Fatal Five members Emerald Empress and Validus to carry out their sinister plan. But the Justice League has also discovered an ally from another time in the peculiar Star Boy — brimming with volatile power, could he be the key to thwarting the Fatal Five? An epic battle against ultimate evil awaits!
-7
The rise, fall and epic comeback of golf icon Tiger Woods is charted in this two-part documentary. Combining never-before-seen footage with clips from Tiger's indomitable reign on the links and revealing interviews, the film offers a rare glimpse into his unmatched dedication to the sport, which helped skyrocket him to unparalleled heights as both a golf and cultural icon.
2
A young prodigy living in Florida looks for a way out of his poor neighborhood.
0
Dr. Sanjay Gupta explores how advances in neuroscience are shedding light on the origins and impact of stress.
-1
Set in the near future, “Dream Raider” features a misfit team of scientists and cops that are trying to get to the bottom of a criminal conspiracy that exploits human consciousness.
-4
The parallel lives of identical twin brothers Dominick and Thomas Birdsey in an epic story of betrayal, sacrifice and forgiveness set against the backdrop of 20th century America.
-1
A woman sets out on a secret mission to honour her father, who died under mysterious circumstances when she was a young girl.
-2
Witness the live of the multi-generational Ho family, led by patriarch Binh Ho and his wife, Hue Ho. The power couple immigrated from Vietnam to the United States with little money, relying on hard work to establish the ultimate American dream.
1
Ernie & Joe follows two officers with the San Antonio Police Department mental health unit who are diverting people away from jail and into mental health treatment — one 911 call at a time.
0
The first documentary portrait of fashion icon Ralph Lauren, reveals the man behind the icon and the creation of one of the most successful brands in fashion history.
1
Based on Ta-Nehisi Coates’ #1 New York Times bestseller and originally adapted and staged by the Apollo Theater, this special combines elements of that production - including powerful readings from Coates’ book - with documentary footage from the actors’ home life, archival footage, and animation.
1
The story of a humiliating high school mishap from 1992 that sends the Impractical Jokers on the road competing in hidden-camera challenges for the chance to turn back the clock and redeem three of the four Jokers.
-4
Factual drama based on the notorious White House Farm murders, and the ensuing police investigation and court case.
-2
Spotlighting the art of drag, and centered on the New York staple Wigstock, this documentary showcases the personalities and performances that inform the ways we understand queerness, art and identity today.
-1
Gripping examination of the unsolved crimes of the Golden State Killer who terrorized California in the 1970s and 1980s.
-1
Follows Pulitzer prize-winning reporter and author, Buzz Bissinger, as he experiences a sexual awakening while collaborating with Caitlyn Jenner on her tell-all memoir.
0
Constructed from over 500 hours of never-before-seen footage, this documentary centers on the personal life and career of the controversial football player Diego Maradona who played for SSC Napoli and Argentina in the 1980s.
-1
A famous author goes on a cruise trip with her friends and nephew in an effort to find fun and happiness while she comes to terms with her troubled past.
2
A look inside the USA gymnastics sexual abuse scandal that shook the sports world in 2017 depicting a landscape in which women spend their youth seeking victory on a world stage, juxtaposed against a culture where abuse prevails and lives are damaged forever.
-3
The film explores Georgia representative's, 60-plus years of social activism and legislative action on civil rights, voting rights, gun control, health care reform, and immigration.
3
The comedic modern-day quintet takes on their 2003 counterparts when villains from each of their worlds join forces to pit the two Titan teams against each other. They'll need to set aside their differences and work together to combat Trigon, Hexagon, Santa Claus (that's right, Santa!) and time itself in order to save the multiverse.
2
A 17-year old Missouri teen discovers she has gotten pregnant, a development that threatens to end her dreams of matriculating at an Ivy League college, and the career that could follow.
0
A look at the history of the Statue of Liberty and the meaning of sculptor Auguste Bartholdi's creation to people around the world.
1
Oprah Winfrey hosts a conversation featuring Wade Robson and James Safechuck, alongside Leaving Neverland director Dan Reed, before an audience of survivors of sexual abuse and others whose lives have been impacted by it.
0
This documentary brings to life the stories of four people believed by their family and friends to be “DB Cooper,” a man who hijacked a 727 flying out of Seattle and jumped from the plane over the wilds of Washington State with a parachute and $200,000, never to be heard from again.
-1
Explore the personal and professional triumphs and challenges of actor Natalie Wood, which have often been overshadowed by her premature death.
0
A four-part documentary series revolving around the case of single mother Barbara Hamburg, who was brutally murdered in 2010 near her home in the upper-middle class enclave of Madison, Connecticut. The series presents first-time filmmaker Madison Hamburg’s complicated journey as a young man determined to solve an unspeakable crime and absolve the people he loves, while looking for answers within his fractured family and community.
-3
Set inside Wood Green, The Animals Charity, where staff are committed to matching their homeless dogs with hopeful dog owners.
1
Mumbai, India, November 26, 2008. While several terrorists spread hatred and death through the city, others attack the Taj Mahal Palace Hotel. Both hotel staff and guests risk their lives, making unthinkable sacrifices to protect themselves and keep everyone safe while help arrives.
-3
An exiled priest tries to escape his demons while living in a remote village in Spain.
-1
As Pope Pius XIII hangs between life and death in a coma, charming and sophisticated moderate English aristocrat Sir John Brannox is placed on the papal throne and adopts the name John Paul III. A sequel series to “The Young Pope.”
0
Steven thinks his time defending the Earth is over, but when a new threat comes to Beach City, Steven faces his biggest challenge yet.
-1
After reuniting with his first mentor Bruno and receiving his latest mission, an exiled Ciro is left to fearlessly confront whatever comes his way, navigating a new chapter of gang warfare while grappling with devastating memories of loss and trauma. Weaving between his past as an orphan in Naples' cruel underworld and present as a hardened, cunning assassin with nothing left to lose, Ciro is plunged into the cold, dark depths of a world where immortality is just another form of damnation.
-11
On October 6th 1973, the Middle East was shaken by the biggest war it had ever seen. A war that should have been the last one, and that forever changed the region.
0
A group of aspiring artists living in New York City try to make their dreams come true.
0
This behind-the-scenes documentary follows Beto O'Rourke's rise from virtual unknown to national political figure through his bold attempt to unseat Ted Cruz in the US Senate.
-1
Join Will Smith, Tatyana Ali, Karyn Parsons, Joseph Marcell, Daphne Maxwell Reid, Alfonso Ribeiro and DJ Jazzy Jeff, for a funny and heartfelt night full of music and dancing in honor of the show that ran for six seasons and 148 episodes.
1
A socially distanced comedic satire that spotlights five characters breaking down and breaking through as they grapple with politics, culture, and the pandemic.
-3
Explores the story of a Pentecostal minister, accused of attempting to murder his wife with a rattlesnake. Based on true events!
-1
A secret unit of cops is assembled to stop a terrorist band from attacking Spain after their leader is arrested there.
0
A deeply personal portrait of three lives, and the discoveries that lie beyond loss: a deaf boy growing up, his deaf grandfather growing old, and Beethoven the year he was blindsided by deafness and wrote his iconic sonata.
-4
An irreverent comedy about the misadventures of Moondog, a rebellious stoner and lovable rogue who lives large.
-1
Blanca, student leader of the feminist movement in an occupied school, goes missing: hours later, a video of a group raping the girl goes viral. In their aim to find her, a police squad formed by three women puts their lives and that of their families at risk. As they look for Blanca and investigate, they will find out that behind this gender crime there is much more than just one offender.
-4
A look at the life and work of New York power broker Roy Cohn.
1
A young girl tries to help her grandfather, who is suffering from Alzheimer’s, navigate his increasing forgetfulness, and ends up going on a remarkable adventure with him.
-1
The quiet family life of Nels Coxman, a snowplow driver, is upended after his son's murder. Nels begins a vengeful hunt for Viking, the drug lord he holds responsible for the killing, eliminating Viking's associates one by one. As Nels draws closer to Viking, his actions bring even more unexpected and violent consequences, as he proves that revenge is all in the execution.
-5
"It’s a Hard Truth Ain’t It" is a companion piece to "O.G.", a narrative drama also directed by Madeleine Sackler. It is co-directed by thirteen men incarcerated at the Pendleton Correctional Facility in Pendleton, Indiana. Given unprecedented access to a maximum security prison, filmmaker Madeleine Sackler worked with a group of inmates to tell their own stories, giving rise to this collaborative, intimate documentary project.
0
This searing investigative work shadows a group of activists risking unimaginable peril to confront the ongoing anti-LGBTQ program raging in the repressive and closed Russian republic. Unfettered access and a remarkable approach to protecting anonymity exposes this under-reported atrocity–and an extraordinary group of people confronting evil.
-2
After getting dumped by her long-term boyfriend and pregnant by a one-night stand, María’s meticulous life plan begins to slip into disarray – but her sister Esther and best friend Cristina are determined to see her through.
0
In his first HBO comedy special, Gary Gulman offers candid reflections on his struggles with depression through stand-up and short documentary interludes. While speaking to issues of mental health, Gulman also offers his observations on a number of topics, including his admiration for Millennial attitudes toward bullying, the intersection of masculinity and sports, and how his mother's voice is always in his head.
-3
Zed, a young British rapper, is about to start his first world tour, when a crippling illness strikes him down, and he is forced to move back in with his family. He tries to find himself between an international music career and Pakistani family traditions.
-3
What started in 1975 with the disappearance of 20 people from a small town in Oregon, ended in 1997 with the largest suicide on US soil and changed the face of modern New Age religion forever. This four-part docuseries uses never-before-seen footage and first-person accounts to explore the infamous UFO cult that shocked the nation with their out-of-this-world beliefs.
-2
Earth is decimated after intergalactic tyrant Darkseid has devastated the Justice League in a poorly executed war by the DC Super Heroes. Now the remaining bastions of good – the Justice League, Teen Titans, Suicide Squad and assorted others – must regroup, strategize and take the war to Darkseid in order to save the planet and its surviving inhabitants.
-1
Two American kids who live on a U.S. military base in Italy explore friendship, first love, identity, and all the messy exhilaration and anguish of being a teenager.
0
Jared, the son of a Baptist pastor in a small American town, is outed to his parents at age 19. Jared is faced with an ultimatum: attend a gay conversion therapy program – or be permanently exiled and shunned by his family, friends, and faith.
-1
Daniel Sloss discusses a variety of topics, from his love of children, to being a man, in this tastefully dark comedy special.
1
Travel the humorous, visually stunning world of Competitive Creative Dog Grooming alongside the colorful women transforming their beloved poodles into living sculptures.
6
Set in the thick of the Cold War, Red Son introduces us to a Superman who landed in the USSR during the 1950s and grows up to become a Soviet symbol that fights for the preservation of Stalin’s brand of communism.
-1
Follow the 10-year reunion of the Deadwood camp to celebrate South Dakota's statehood. Former rivalries are reignited, alliances are tested and old wounds are reopened, as all are left to navigate the inevitable changes that modernity and time have wrought.
-3
The story of Pro Football Hall of Famer Nick Buoniconti, whose resume encompasses turns as a linebacker, lawyer, sports agent, broadcaster, executive and philanthropist.
0
It is a fun relationship show featuring a diverse mix of young couples from all over the UK brought together in the most aspirational urban setting.
1
Set in the world of Spanish politics, Vota Juan revolves around the character of Juan Carrasco (Javier Cámara), an uninspiring Minister of Agriculture who, after finding his political ambitions awoken by a series of chance political events, decides to take part in his party's primary elections thereby giving himself a chance to eventually run for the position of President of the Government. Party intrigues, jealousy, crises... as he undertakes this none too easy task he will count on the invaluable help of his press chief, his secretary and his personal advisor. His campaign team, much like him, try to make up for their lack of experience and political expertise through a mixture of guile and a whole host of other shenanigans. Will Juan Carrasco manage to make it all the way to the top?
1
The rise and fall of prominent New York sports radio personality Craig Carton. Through a series of candid interviews with Carton, the film reveals how the radio host’s secret insatiable gambling addiction, financed by an illicit ticket-broking business, brought his career to a sudden halt when he was arrested by FBI agents and charged with conspiracy, wire fraud, and securities fraud in 2017.
-5
A ten-part hour-long series that follows the aftermath of a mass-shooting where all parties involved - the killer, the victims, the victims’ families, the media and the defense teams, whose fates are all intertwined.
-1
Writer, journalist, Pulitzer Prize-winning historian and presidential biographer John Meacham offers his timely and invaluable insights into the country’s current political and historical moment by examining its past. Based on his 2018 bestseller of the same name.
2
Set in a fictional modern-day Sao Paulo, where marijuana has been legalized, this series follows 29-year-old Biriba, a drug dealer who decides to give up his criminal life and enter the legal drug sales industry. Unfortunately for Biriba, going straight is more difficult than he could have imagined.
-4
Get to know Shaq as he explores his passions off the court: Spending a busy summer touring the world to establish himself as a DJ; navigating his partnership with a controversial franchise; training with UFC fighters for his first-ever MMA grappling match; raising six children and expanding his legacy. It’s time for fans to meet the man behind the legend — a man with a legendary sense of humor, an enormous heart and endless determination. Shaquille O’Neal is the ultimate renaissance man.
3
A holiday-inspired dating series set in a stunning winter wonderland. Follow a cast of singles as they step into a real-life romantic comedy full of cozy sweaters, fireside cuddles, and mistletoe kisses, all arranged to help these souls find love - just in time for the holidays.
4
Tragedy strikes the Batman's life again when Robin Jason Todd tracks down his birth mother only to run afoul of the Joker. An adaptation of the 1988 comic book storyline of the same name.
-3
When a hulking monster arrives on Earth and begins a mindless rampage, the Justice League is quickly called in to stop it. But it soon becomes apparent that only Superman can stand against the monstrosity.
-4
Jimmy Carter's election to the presidency of the United States in 1977 was helped by the links that this fan of pop music had with stars.
1
The Mystery Inc. gang solve bigger mysteries while also encountering many memorable celebrities.
-1
Comedian/actor Amanda Seales stars in her first HBO stand-up special, taped in front of a live audience at the Edison Ballroom in NYC.
0
The incomparable Bruce Springsteen performs his critically acclaimed latest album and muses on life, rock, and the American dream, in this intimate and personal concert film co-directed by Thom Zimny and Springsteen himself.
1
Based on the true events which led to the outbreak of war in Gaza 2014.
0
Two mothers who were each separated from their children in the United States for months after fleeing from danger in their homelands to seek asylum work with pro-bono lawyers and volunteers to reunite with their kids who have been placed thousands of miles away from them with little access to communication.
-1
With one of the most memorably stunning voices that has ever hit the airwaves, Linda Ronstadt burst onto the 1960s folk rock music scene in her early twenties.
1
When Marjory Stoneman Douglas High School drama teacher Melody Herzfeld heard the fire alarm on Feb. 14, 2018, she was with her students in rehearsals for their annual children’s musical. Moments later, a Code Red sounded. Herzfeld rushed her 65 students into a storage closet while a shooter killed 17 teachers and students nearby.
-2
A first-generation American high school student describes what she and her mom learn about people when cleaning their homes.
0
A story that embodies the tenacity and passion of the American Dream, this documentary is a portrait of the pioneering activist Luis A. Miranda Jr. Luis is a decades-long fighter for Latino communities, a key player in the New York and national political arena, and a loving father of three – including the award-winning composer, lyricist and actor, Lin-Manuel Miranda.
3
Adored for her charisma and her free, explicit and fun way of expressing herself, La Veneno gained popularity thanks to her television appearances in the 90s. However, her life and especially her death remain an enigma.
4
A young Scottish singer, Rose-Lynn Harlan, dreams of making it as a country artist in Nashville after being released from prison.
-1
Shot in one single shot with no cuts, Rendez-vous is an original Mexican thriller about a couple that met online.
0
Galo and the Burning Rescue Fire Department face off against BURNISH, a group of mutants who are able to control and wield flames, and the fire disaster they have unleashed on Earth.
-2
Behind-the-scenes as Schumer goes through an extraordinarily difficult pregnancy while touring to prepare for a stand-up special.
0
Wonder Woman tries to help a troubled young girl who has fallen in with a deadly organization known as Villainy, Inc.
-2
In a tyrannical and oppressive Spain of misery and poorness, a child starts a runaway looking for freedom.
-3
The story of Mayor Michael Tubbs through his first term in office as he tirelessly advances his innovative proposals for a city at a turning point.
1
An unpredictable documentary from a fascinating storyteller, Agnès Varda’s last film sheds light on her experience as a director, bringing a personal insight to what she calls “cine-writing,” traveling from Rue Daguerre in Paris to Los Angeles and Beijing.
-1
Hinako is a surf-loving college student who has just moved to a small seaside town. When a sudden fire breaks out at her apartment building, she is rescued by Minato, a handsome firefighter, and the two soon fall in love. Just as they become inseparable, Minato loses his life in an accident at sea. Hinako is so distraught that she can no longer even look at the ocean, but one day she sings a song that reminds her of their time together, and Minato appears in the water. From then on, she can summon him in any watery surface as soon as she sings their song, but can the two really remain together forever? And what is the real reason for Minato's sudden reappearance?
-2
Fifty years in the future, an oppressive authoritarian force threatens to conquer the world. A daring team is recruited to pilot a new form of weaponized neuroscience that powers devastating mecha, but they must be willing to sacrifice everything to save the world.
-1
Filmed over five years in Kansas City, this documentary follows four kids - beginning at ages 4, 7, 12, and 15 - as they redefine "coming of age." These kids and their families reveal intimate realities of how gender is re-shaping the family next door in a never-before-told chronicling of growing up transgender in the heartland. The film is a nuanced examination of how families tussle, transform, and sometimes find unexpected purpose in their identities as transgender families. Lighthearted and deeply moving, this story teaches us something new about being human.
0
Saudi women embrace a new way of life and the freedom that comes from being behind the wheel when they are allowed to drive legally for the first time.
1
Comedian and actor Dan Soder (Billions) brings his honest, insightful and infectious humor to his first HBO comedy special taped at The Bowery Ballroom in New York City. In Son of a Gary, Soder shares his down-to-earth approach to everything from drug dogs at the airport to fake fights in the shower and what it's like to have an alcoholic dad, but a fun one.
4
This two-part documentary pulls back the curtain on Russian collusion in the 2016 U.S. presidential election.
-1
It’s the dawn of a new age of heroes, and Metropolis has just met its first. But as Daily Planet intern Clark Kent – working alongside reporter Lois Lane – secretly wields his alien powers of flight, super-strength and x-ray vision in the battle for good, there’s even greater trouble on the horizon.
2
An intimate portrait of Alabama public interest attorney Bryan Stevenson, founder and executive director of the Equal Justice Initiative, who for more than three decades has advocated on behalf of the poor, the incarcerated and the condemned, seeking to eradicate racial discrimination in the criminal justice system.
-2
The history of New York City's Apollo Theater in Harlem is given the full treatment.
0
Adult drama that delves inside the porn industry from the perspective of poster girl Jolene Dollar, who juggles her on-set persona with motherhood and home life.
0
In the wake of The Death of Supermen, the world is still mourning the loss of the Man of Steel following his fatal battle with the monster Doomsday. However, no sooner as his body been laid to rest than do four new bearers of the Superman shield come forward to take on the mantle. The Last Son of Krypton, Superboy, Steel, and the Cyborg Superman all attempt to fill the vacuum left by the world's greatest champion. Meanwhile, Superman's death has also signaled to the universe that Earth is vulnerable. Can these new Supermen and the rest of the heroes prove them wrong?
-5
A look at the distressing circumstances for millions of children living in orphanages and other institutions around the world as J.K. Rowling's LUMOS foundation works to reunite them with family members or place them in foster homes.
0
When a black man accidentally kills a white cop in self-defense, the cover-up sets off a chain reaction of deceit, blackmail, and murder.
-4
A headstrong orphan discovers a world of spells and potions while living with a selfish witch.
-2
Explore the four-decade-long friendship between two of the most successful and revered coaches in football history.
1
Story of Christine Keeler, who found herself at the heart of a political sex scandal that rocked British government in the 1960s.
-1
Spain, 1970s. While a cruel dictatorship rules an eternally grey country through fear, violence, repression and censorship, María, a young dancer, dreams of bringing bright colours into her life and the lives of others, as she makes her way towards personal freedom and pursues her crazy dream of becoming a TV star; a very funny journey in which she will be comforted by the pop songs of the incomparable Italian singer and dancer Raffaella Carrà.
-4
Eighteen-year-old Laetitia has disappeared. Police quickly arrest Tony Meilhon but investigators still can’t find the body. This story follows the repercussions for Laetitia’s family and twin sister Jessica; the police force inner workings and social services; the judicial system and government itself.
0
Frank Penny is a disgraced cop looking for a shot at redemption. When the police chief's 11-year-old daughter is abducted, Frank goes rogue to try and save her. But to find the girl, Frank will need the help of Ava Brooks, whose live-streaming news channel is broadcasting Frank's every move.
-1
Two young neighbors embark on a first love relationship in which they struggle to remain kids amid the complexities of modern adolescence.
1
A mysterious new villain known only as Hush uses a gallery of villains to destroy Batman's crime-fighting career as well as Bruce Wayne's personal life, which has been further complicated by a relationship with Selina Kyle/Catwoman.
-2
A feature-length anthology film. They are known as myths, lore, and folktales. Created to give logic to mankind’s darkest fears, these stories laid the foundation for what we now know as the horror genre.
-2
A shocking examination into Las Vegas fertility specialist, Dr. Quincy Fortier, who assisted hundreds of couples struggling with conceiving. Decades later, many children born from his interventions discover through DNA and genealogical websites, that Dr. Fortier had used his own sperm to impregnate their mothers without their knowledge or consent.
-2
Documentary short following one family and the residents of Ventura County, CA through a journey of devastation, repair and survival after one of the largest wildfires in state history—the 2017 California Wildfires—destroys their beloved community.
1
The 30-year legacy of the murder of black teenager Yusuf Hawkins by a group of young white men in Bensonhurst, Brooklyn, as his family and friends reflect on the tragedy and the subsequent fight for justice that inspired and divided New York City.
-2
Universally recognized as the greatest female skier ever, Lindsey Vonn went on a remarkable journey that was defined by unexpected twists and turns and dramatic peaks and valleys in its final chapter. LINDSEY VONN: THE FINAL SEASON intimately recounts the iconic skier’s last competitive campaign while looking back on her transcendent career, from child prodigy to decorated Olympian to global superstar.
2
Set in the Shanghai Bund in the 1940s, it revolves around a female detective who solve multiple cases.
0
Prodded by the rebellious Brisa, puberty is awakening in twelve-year-old Celia. Quickly, the two become allies against the rigid rules of authority in the Catholic girls’ school. However, questions about the right bra, cool bands and sexy clothing cannot hide the urgent search for their own identity.
0
Just like one in five Americans, many Olympic athletes similarly face serious mental health challenges and struggle to find the necessary support and resources. The Weight of Gold seeks to inspire discussion about mental health issues, encourage people to seek help, and highlight the need for readily available support.
6
Rai wakes up from 820-years long sleep and starts his new life as a student in a high school founded by his loyal servant, Frankenstein. But his peaceful days with other human students are soon interrupted by mysterious attackers known as the "Unions".
1
A meditation on youth, war and stunning bravery, featuring footage, taken from the National Archives, from the documentary filmed in 1943 by legendary Hollywood director William Wyler about the famous Memphis Belle flying fortress and the gripping narration from some of the last surviving B-17 pilots.
4
This documentary explores the sexual and social identity of contemporary black America through intimate, eye opening and often hilarious accounts from women and men who find love and community in the underground world of exotic dancing.
3
Women of Troy is an HBO Sports documentary exploring the transcendent career of the Cheryl Miller-led USC Trojans and their impact on women’s basketball.
0
Documentary chronicling the political machinations that led to the unprecedented, contested outcome of the 2000 presidential election, including the chaotic voter recount in Florida that ended with George W. Bush winning by a razor-thin margin.
1
Colin Quinn and his friends haven't performed comedy in months thanks to the pandemic. So they got together and performed in a parking lot. What could go wrong?
-1
A look at the impact of Spain’s Basque conflict on ordinary people on both sides, such as the widow of a man killed by the ETA who returns to her home village after the 2011 ceasefire between the separatist group and the Spanish government, and her former intimate friend, the mother of a jailed terrorist.
-1
An Irish undertaker profits when outlaws take over a peaceful town, but his own family come under threat as the death toll increases dramatically.
-3
For years, Ollie has illicitly helped the struggling residents of her North Dakota oil boomtown access Canadian health care and medication. When the authorities catch on, she plans to abandon her crusade, only to be dragged in even deeper after a desperate plea for help from her sister.
-3
A substitute teacher takes on a job as a year 6 class teacher in a village he does not know. He has to help a student adjust back into school, although none of his classmates want him there.
0
When a crisis suddenly engulfs an elementary school campus, a determined art teacher tries everything she can to save her class.
-1
An investigation into the truth behind the murder of Guatemalan Bishop, Juan Gerardi, who was killed in 1998 just days after trying to hold the country's military accountable for the atrocities committed during its civil war.
-3
The revealing, no-holds-barred tale of Christian Dawkins, convicted in federal court in the biggest criminal case in collegiate sports history, a criminal enterprise that infiltrated college basketball teams and funneled hundreds of thousands of dollars to steer recruits to prominent athletic programs.
-1
The inside story behind the hunt for ISIS poster boy "Jihadi John" by the US and British military and intelligence services. An interrogation of the twisted worldview espoused by ISIS and its propaganda machine which was operated by "Jihadi millennials" who turned social media sites such as Twitter and YouTube into recruitment platforms.
-1
Now unconstrained by an official post, Steve Bannon is free to peddle influence as a perceived kingmaker, who some say still has a direct line to the White House. After anointing himself leader of the “populist movement,” he travels around the North America and Europe spreading his hard-line anti-immigration message.
0
An eye-opening documentary that asks the question: Are we going to let climate change destroy civilization, or will we act on technologies that can reverse it? Featuring never-before-seen solutions on the many ways we can reduce carbon in the atmosphere thus paving the way for temperatures to go down, saving civilization.
-1
A young Egyptian-American stand up comedian tackles universal predicaments such as sex with the latest pop culture references and from the specific vantage point of a Muslim millenial.
-1
A young French woman living in Israel is accused of the murder of her husband on the day of their wedding. As the bride struggles to prove her innocence, mysterious happenings surround her. Is she guilty or could she be the victim?
-4
Isabel is a journalism student who is in the journal of a Galician coastal town for her work placement. During her stay, she finds an anonymous obituary dedicated to Lucía. It tells a love, friendship and treason story in 1958.
2
A chronicle of the controversial 1978 Philadelphia police raid on the radical back-to-nature group MOVE and the aftermath that led to a son’s decades-long fight to free his parents. Through eyewitness accounts and archival footage of the escalating tension that resulted in the controversial confrontation between police and MOVE members, the film illuminates the story of a city grappling with racial tension and police brutality with alarming topicality and modern-day relevance.
-6
Thomas reflects on his Alabama childhood and his identity as an “aging emo kid” in LA through stories and songs on topics like dating, drinking, family and his mom’s legacy.
1
Ed Hemsler spends his life preparing for a disaster that may never come. Ronnie Meisner spends her life shopping for things she may never use. In a small town somewhere in America, these two people will try to find love while trying not to get lost in each other’s stuff.
-1
An investigation into the ongoing threat caused by the phenomenon of “fake news” in the U.S., focusing on the real-life consequences that disinformation, conspiracy theories and false news stories have on the average citizen.
-4
Explore Ali’s challenges, confrontations, comebacks and triumphs through recordings of his own voice. The two-part documentary paints an intimate portrait of a man who was a beacon of hope for oppressed people around the world and, in his later years, was recognized as a global citizen and a symbol of humanity and understanding.
1
The assassin Deathstroke tries to save his family from the wrath of H.I.V.E. and the murderous Jackal.
-3
CNN's team of female journalists and embeds pack up and leave their families to fan out across the country and report on the president and his would-be rivals as the candidates launch campaigns and contend for voters.
-2
Documentary series looks at the life of Spanish politician, football mogul and property tycoon Jesús Gil.
0
Four comics with Asperger's syndrome cram into an RV that's on the verge of exploding and embark on their first cross-country tour, testing their understanding of friendship, comedy and carburetors.
-1
Following his son Gabriel’s death, Jorge travels from conservative Bolivia to New York City to confront Gabriel’s boyfriend Sebastian. While the two battle over Jorge’s inability to accept his son, Sebastian channels his grief into a bold new play in honor of his lost love, in which Gabriel’s inner turmoil is transformed into an eye-popping gay fantasia.
-5
A documentary detailing the epic Rogues' Gallery of DC Comics from The Joker and Lex Luthor, Sinestro, Darkseid and more, this documentary will explore the Super Villains of DC Comics.
-1
A group of hip parents meets to launch a new day-care center. The expectant or new mothers and fathers report in mockumentary style about their very personal educational experiences.
0
'Insecure' star Yvonne Orji celebrates her Nigerian-American upbringing in her debut HBO comedy special, which intersperses her stand-up with documentary footage of a trip to Nigeria.
0
Known for his well-crafted storytelling and hilarious impressions of the myriad characters he encounters in life, Lel Rel Howery draws on his personal experiences in his relatable, uproarious stand-up. Howery's HBO stand-up comedy debut was filmed before a live audience at Susan Miller Dorsey High School in Los Angeles.
0
Drawing on intimate access to eight eyewitnesses, this documentary offers a unique perspective on this tragic events of September 11, 2001.
0
When professional mountain biker Paul Basagoitia suffers a devastating spinal cord injury (SCI), his life is changed in an instant. Discovering that he's become paralyzed, Paul begins a grueling battle against his own body and mind, in the hope of one day being able to walk again. A chorus of other diverse SCI survivors weaves through the film, shining light on the struggles that Paul now faces.
-4
After losing their engagement ring, Yi-Zhi fears for his future with Lisa – but as the ring travels from couple to couple, they begin to re-examine the meaning of true love.
-1
The series focuses on the aftermath of the events of Steven Universe, where humans and Gems coexist in harmony after the end of the war between the Crystal Gems and Homeworld.
3
When Grizz, Panda, and Ice Bear's love of food trucks and viral videos get out of hand, the brothers are now chased away from their home and embark on a trip to Canada, where they can live in peace.
2
It’s high time the Justice League took notice of Shazam, but joining the world’s greatest team of superheroes is a lot harder when they’ve all been turned into kids.
1
The Monster at the End of This Story is Sesame Street special on HBO Max.
-1
Suspicion is on high after Batman, Batgirl, Robin and other DC superheroes receive mysterious invitations. However, family values must remain strong when Batman and his team encounter the villainous Red Hood, who is obsessed with destroying the Bat-family and all of Gotham City.
-2
Explore the rise of cyber conflict as the primary way nations now compete with and sabotage one another.  As fear mounts about how potential cyberattacks will affect 2020 elections in the U.S., the film features interviews with top military, intelligence and political officials and includes on-the-ground reporting from the frontlines of the cyber wars.
-1
Eddie and Amber decide to stage a relationship in order to stop everyone speculating about their sexuality. Eddie is keen to follow his dad into the military, while Amber dreams of moving to the liberal hub of London. The plan seems solid, but as their arrangement begins to fall apart, Eddie’s denial gets deeper as Amber realizes that a perilous future awaits her best friend unless she intervenes.
0
Rosa is about to turn 45 and realises that she's always lived her life to serve everyone else. So she decides to leave it all behind and take charge of her life and fulfil her dream of starting her own business
0
This four-part LGBTQ+ docuseries chronicles the untold events leading up to the Stonewall Uprising, honoring the rebels of yesteryear with never-before-seen archival footage along with stylistic depictions that bring to life the gripping and true backstories of these leaders and unsung heroes.
2
Drew and Jonathan Scott are on a mission to help couples transform their houses into forever homes where they can put down roots and happily spend their lives. But before that can happen, they need Drew and Jonathan to unlock the full potential of their house and renovate it into the home of their dreams.
1
In his own words, Sabathia narrates his story. As the highs and lows of his last season are chronicled, Sabathia looks back on his legacy as one of the game’s pre-eminent pitchers, as well as the profound challenges that shaped him, including his longtime battle with addiction that came to a head in 2015 while playing for the Yankees.
3
In advance of the 2020 Presidential election, Kill Chain: The Cyber War on America's Elections takes a deep dive into the weaknesses of today's election technology, investigating the startling vulnerabilities in America's voting systems and the alarming risks they pose to our democracy.
-5
In the late 19th century, Mack, a heroic outlaw who stole from the rich to give to the poor, was loved and respected by the people, but he had long been a difficult case for the Yard. With the help of Sherlock, detective Gordon Gorilla Riller and Carlson Fox finally managed to catch Mack at his daughter Katie's birthday party. But Sherlock was then reviled by the people for arresting their hero. Four years later, Mack fights with the notorious Scarface in prison, and then climbs over the wall to escape. While tracking down Mack, Sherlock discovers Mack's heart-breaking reason behind his escape, and decides to let him fulfill his final wish before he would voluntarily surrender to the police. However, Scarface suddenly appears and kidnaps Katie. Sherlock and Watson team up with Gordon Gorilla Riller and Carlson Fox for the rescue. A battle between life and death is unfolding.
-5
The HA Festival: The Art of Comedy Special is a non-stereotypical show with a predominantly Latinx cast and crew made with a real budget and for all audiences.
0
Rose Matafeo has kissed nearly 10 men in her life, AKA she’s a total horndog. But what is horniness? Is it that intangible essence of excitement and adventure that has inspired humankind since the dawn of time? An understanding of the overwhelming power of love as the key to true personal flourishing? Or is it simply wanting to bone everyone, all the time? Recorded at The Ambassadors Theatre, London.
3
An undocumented immigrant, Roberto, seeks a way to become lawful, but all efforts are put on hold when he becomes a new father at the onset of the US government's 'Zero Tolerance' child separation policy at the US / Mexico border.
0
When Chef finds out his family will be deported if he doesn't pay government imposed fees, he turns to his boss who offers him an opportunity as a black market driver to earn the money.
0
The story of famous Peruvian soccer player Jefferson Farfán is recounted from his troubled childhood to the World Cup in 2018.
0
The haunting story of music executive Drew Dixon as she grapples with her decision to become one of the first women of color, in the wake of #MeToo, to come forward and publicly accuse hip-hop mogul Russell Simmons of sexual misconduct. A gripping and profound examination of race, gender, intersectionality, and the toll sexual abuse takes on survivors and on society at large.
-3
Taped at Los Angeles’ iconic Orpheum Theatre, this staged presentation of The West Wing’s “Hartsfield’s Landing” episode stars core cast members along with special guest stars. Act Breaks feature commentary from former First Lady Michelle Obama, President Bill Clinton and Lin-Manuel Miranda who share messages about the vital importance of making our voices heard in every election.
-1
The life and times of Muhammed Ali shown through the lens of his numerous appearances on The Dick Cavett Show. The film features new interviews with Dick Cavett, Rev. Al Sharpton, and Larry Merchant, as well as archival material from the Cavett Show.
-1
After losing his mother, a boy with Down syndrome takes his trunk of magical costumes to live with his grandparents in this animated tale.
-1
Jerrod Carmichael explores aspects of the black experience through interviews with his family in this HBO Special.
0
Handler shares hilarious experiences about her family, friendships, and her first foray into therapy—where she was able to unearth why everyone on this planet annoyed her so much. She has always been a trusted voice and has provided much needed perspective for the world. Now, she turns the attention on herself, reflecting on her personal journey toward self-awareness, assisted by her reliable companion cannabis.
2
Follow the fascinating evolution of jazz dance from its origins in Africa, through to its modern-day interpretations which reveal the political and social influences affecting the dance form today.
1
The sensational true story of the most infamous tabloid in US history, a wild, probing look at how one newspaper's prescient grasp of its readers' darkest curiosities led it to massive profits and influence.
0
Cristina and Simon are two young graffii artists who paint the city that they live in: Medellín. They defy a criminal gang when they decide to paint over a threat, written in a wall, a mural of a whale. The powerful strength of youth, faces fear, violence and the many risks of growing up.
-4
Every year, hundreds of children from pre-K through 12th grade take the stage at the Oakland MLK Oratorical Fest, a public speaking competition where they perform poetry and speeches inspired by the legacy of Dr. Martin Luther King Jr. The film covers the months leading up to the 40th annual festival, as schools across the city send their top-placing students to compete. It is a portrait of young people raising their voices about issues they care about and of the unique community that celebrates and supports them.
1
Famed Puerto Rican reggaeton singer Farruko puts his own spin on classic hits in this HBO Latino concert special.
2
Jerrod Carmichael explores aspects of the black experience through interviews with his family. In this special, Carmichael focuses on the strong black women in his life, returning home to North Carolina for informal, intimate conversations with his family and friends, who speak candidly about subjects such as sex, confidence, beauty standards and feminism.
4
Comedian Beth Stelling takes the stage at Minneapolis’ Varsity Theater to talk sex, drugs, and babies in her hilarious new special Beth Stelling: Girl Daddy. Musing on the ways that sexual pleasure is different for men and women, Stelling’s not ashamed to admit that she always thinks her massage therapist is falling for her – and is not afraid to call male comedians out for making lazy #MeToo jokes. Stelling also shares her takes on being a relationship person, having reverse body dysmorphia, alternative wedding traditions, her relationship with her Orlando-based actor father whose personality is “Fox News,” talking sex with her may-as-well-be-virginal mom, and how her sisters just love to make babies.
-2
In a summer mansion in the Costa Brava, a young domestic worker has to serve two rich kids while they enjoy their summer. Amongst cocktails, drugs and dishwashers, she will look for her own way of having fun.
3
World champion soccer player and trailblazing activist Megan Rapinoe hosts a fearless conversation with Representative Alexandria Ocasio-Cortez, Pulitzer Prize-winning journalist Nikole Hannah-Jones, and acclaimed television host Hasan Minhaj. Watch these change-makers come together to talk about the challenges we face as a nation.
3
Behind every statistic is a story. Three inner-city youth growing up in Milwaukee struggle with the daily dilemma of growing up Black and avoiding becoming just another statistic.
-2
With his reputation and a potential record deal on the line, Khalil confronts his opponent Yung Reap and defends his secret during a freestyle competition.
0
A history of anti-Asian racism and yellowface in Hollywood after the 1941 Pearl Harbor attack.
-2
Three Indian people imagine their personas as the names they give baristas, because their real names are hard to pronounce.
-1
In the 12th special of the Habla documentary series, a group of actors, celebrities, advocates and activists discuss important issues that the U.S. Latino population is facing.
1
Inspired by the viral success of Tony-winner Laura Benanti's #sunshinesongs, this feel-good docu-special spotlights a talented group of high school seniors as they give show-stopping performances from home to capture their 2020 experiences.
2
In the wake of the devastation caused by Hurricane María, three unsuspecting best friends launch a business selling pot brownies.
-1
Felino, his girlfriend and his two friends, have their film rejected from every film festival, so they decide to submit it as major filmmaker Tomas Guevara latest film.
-1
Long hair would look good on him, but so would a moustache. This summer by the sea, the trans boy Lucho knows that there is a lot in him that is difficult to share with others.
0
It is a historic day for the city of Maipú. It is the first time that the local football team reaches the semifinals for a national tournament. But just hours before the match, the club president receives a call with dramatic news: the referee was bribed by his rival.
-1
Clara receives the world prize for children's literature. To find some peace, she moves with her family to the countryside.
2
Ready to leave her UK boarding school and enter the working world, a young Black woman faces pressure to change her name and natural hairstyle.
1
The untold story of New York City's Eagle Academy.
0
Two burned-out city cops -- Keymarion "Primetime" Weeyums and Demetrius "Meechie" Franks -- relocate to a tropical paradise for a relaxing twilight to their careers. It ends up being the most vicious, menacing place on earth, not even slightly relaxing.
-1
Yun is grounded by her father for spending three days away from home for breaking family traditions. In her stoic nocturnal journey through the streets, malls and service centers, Yun experiences an accelerated maturity, of which she only realizes when she returns and faces her father.
0
Sportsman/relic-thief Makasu travels the world defeating religious pantheons in sports and stealing their mystical artifacts. But can he overcome his emotional memories in order to defeat the gods of the Inca in tennis?
1
As he prepares for a date, J.D. seeks advice from two opposite people that try to make him feel comfortable with his identity.
1
When adversity strikes, the future may depend on Bittu, a defiant young girl with a brilliantly foul tongue.
-3
Salvador, a gay Mexican elder who has lost his partner of 15 years, calls his partner’s estranged son, Anthony, to tell him of his father’s passing. Unaware of their relationship, Anthony travels from Chicago to a small rural town in Mexico to attend his father’s funeral. As family secrets are exposed, identities and perceptions are challenged.
-2
A few days after moving in with his girlfriend, Jorge receives a visit from his future self who traveled through time to warn him that she is going to leave him for another guy, then proposes him a plan to avoid it.
0
Gabrielle and Tamir shares how we all have the power to change the world by voicing against injustice and racism.
-2
Comedian Erik Rivera focuses on the hilarious truths of parenting and married life in this stand-up special.
1
Former rocket scientist and comedian Shayla Rivera takes the stage in this hilarious stand-up special.
1
South American stand-up comedian Gina Brillon shines on the stage, as she takes on Southern accents, the nuisance of people talking too much, cruise ship buffets and the perks of marrying up, all with a tongue-in-cheek demeanor and a sparkle in the eye.
1
This is the story of Lucia, a Yoreme girl that fights for her dream against her tradition, and how she will manage to get close to her father and find her place in her community.
0
Underwood performs a combination of beloved traditional favorites celebrating the joy and hopefulness of the holiday, as well as new original material from her first ever full-length Christmas album My Gift, which was released fall 2020. She is accompanied by her band, as well as a live orchestra and choir, conducted by Emmy Award-winning musical director Rickey Minor.
4
After being deported to Venezuela, one of the most dangerous countries in the world, Rosa and her daughter must find a way to escape to Colombia.
-1
Hair loss is taking a toll on Pablo. Is his bald head responsible for his failed relationship? While searching for new confidence, he experiences a humorous odyssey.
-1
A look at the life and work of the Austrian composer who pioneered the musical scoring of films - hundreds of them - from King Kong, to Gone with the Wind, to Casablanca and beyond.
1
A timid high school girl reveals her truth during the most important night of the year.
0
Neda and Tito celebrate their 50th wedding anniversary throwing a party with friends and family. A lot of fake cordiality and some guests out of place lead the celebration to a series of confessions before rounding up with an unforgettable final speech.
2
Rizo is the story of an Afro-Latina actress, Cristina, who struggles with her natural hair during a busy day of auditions.
-1
Caro Comes Out is a queer torture experiment, but also a comedy, but also a short film about coming out to your entire Cuban family.
-2
An introspective slice-of-life story about two generations of black men, living within the same household, juggling the demands of raising a young son with autism.
0
Elisa finds herself in a challenging position: a new chapter of her life begins, but she must find her way through uncertainty. In a way she feels alone in Toronto, a city that although seemingly welcoming, she barely knows. But Elisa is also determined to take a daunting step, that of proving you can take care of something bigger than yourself.
-1
Recently paroled Krystal must navigate the new rules and strong personalities of her local Christian halfway house if she has any hope of regaining custody of her estranged daughter.
0
Cecilia, a Mexican immigrant, learns from her doctor that she has a benign cyst that will disappear on its own. When the doctor mentions that sexual intercourse could speed up the process, she realizes she hasn't had sex in five years. That night, her friend Josselyn takes her to a dive bar to 'fill her prescription.' But when the two women go home with some suitors, Cecilia will make a surprising discovery of what's really been ailing her.
-1
Comedian Nick Guerra muses on women, relationships, nightclubs, video games and more in this stand-up comedy special.
0
Priyanka Agrawal is a politically active and foul mouthed Indian American college student. After her mother tragically dies, she is forced to go to India to scatter her ashes, and in the process, finds a new sense of self.
-2
When Autism: The Musical was released in 2007, scores of young children were being identified as autistic. The original film explored some of the ways that families dealt with having kids on the spectrum. As the autism epidemic continues (1 in 68 children are now diagnosed) those same five families contend with caring for adult children with autism. This new film reconnects with all of the families to explore how these young adults are faring. Through their stories we see the ways in which the world has changed to accommodate autistic people as well as the ways in which it still has not.
-1
Since the timeless night, on the life's plains, humanity faces the Sorcerers of Evil's indefeasible designs...
-1
Follows a group of teachers brought together in one of the worst public schools in the country, simply because they love teaching.
0
Follow the exploits of various guests and employees at an exclusive tropical resort over the span of a week as with each passing day, a darker complexity emerges in these picture-perfect travelers, the hotel’s cheerful employees and the idyllic locale itself.
0
Two lifelong friends find themselves at an impasse when one abruptly ends their relationship, with alarming consequences for both of them.
-3
A young couple travels to a remote island to eat at an exclusive restaurant where the chef has prepared a lavish menu, with some shocking surprises.
0
The Targaryen dynasty is at the absolute apex of its power, with more than 15 dragons under their yoke. Most empires crumble from such heights. In the case of the Targaryens, their slow fall begins when King Viserys breaks with a century of tradition by naming his daughter Rhaenyra heir to the Iron Throne. But when Viserys later fathers a son, the court is shocked when Rhaenyra retains her status as his heir, and seeds of division sow friction across the realm.
-6
A post apocalyptic saga spanning multiple timelines, telling the stories of survivors of a devastating flu as they attempt to rebuild and reimagine the world anew while holding on to the best of what's been lost.
-1
The duty manager of a seaside cinema, who is struggling with her mental health, forms a relationship with a new employee on the south coast of England in the 1980s.
-1
Against the darkening backdrop of New Delhi's apocalyptic air and escalating violence, two brothers devote their lives to protecting one casualty of the turbulent times: the bird known as the black kite.
-3
The life story of Elvis Presley as seen through the complicated relationship with his enigmatic manager, Colonel Tom Parker.
-1
A woman staying at an Airbnb discovers that the house she has rented is not what it seems.
0
Follows the man who survived an assassination attempt by poisoning with a lethal nerve agent in August 2020. During his months-long recovery, he makes shocking discoveries about the attempt on his life and decides to return home.
-1
In his second year of fighting crime, Batman uncovers corruption in Gotham City that connects to his own family while facing a serial killer known as the Riddler.
-3
Explore a dark mentorship that forms between Deborah Vance, a legendary Las Vegas comedian, and an entitled, outcast 25-year-old.
-1
In the 1930s, three friends—a doctor, a nurse, and an attorney—witness a murder, become suspects themselves and uncover one of the most outrageous plots in American history.
-4
Alice and Jack are lucky to be living in the idealized community of Victory, the experimental company town housing the men who work for the top-secret Victory Project and their families. But when cracks in their idyllic life begin to appear, exposing flashes of something much more sinister lurking beneath the attractive façade, Alice can’t help questioning exactly what they’re doing in Victory, and why.
4
Paul Atreides, a brilliant and gifted young man born into a great destiny beyond his understanding, must travel to the most dangerous planet in the universe to ensure the future of his family and his people. As malevolent forces explode into conflict over the planet's exclusive supply of the most precious resource in existence-a commodity capable of unlocking humanity's greatest potential-only those who can conquer their fear will survive.
2
Nearly 5,000 years after he was bestowed with the almighty powers of the Egyptian gods—and imprisoned just as quickly—Black Adam is freed from his earthly tomb, ready to unleash his unique form of justice on the modern world.
2
A detective in a small Pennsylvania town investigates a local murder while trying to keep her life from falling apart.
-2
The continuing story of Peacemaker – a compellingly vainglorious man who believes in peace at any cost, no matter how many people he has to kill to get it – in the aftermath of the events of “The Suicide Squad.”
-1
A 39-year-old woman decides to use the money her parents had been saving for her wedding to open a cat-themed cafe.
0
After trading in the seemingly charmed life of a gentleman for one of a swashbuckling buccaneer, Stede Bonnet becomes captain of the pirate ship Revenge. Struggling to earn the respect of his potentially mutinous crew, Stede’s fortunes change after a fateful run-in with the infamous Captain Blackbeard. Stede and crew attempt to get their ship together and survive life on the high seas.
-2
Nathan Fielder gives people a chance to rehearse for their own lives in a world where nothing ever works out as expected.
1
Follow four college roommates as they arrive at New England’s prestigious Essex College. A bundle of contradictions and hormones, these girls are equal parts lovable and infuriating as they live out their new, free lives on campus.
1
It’s 1882 and the Gilded Age is in full swing when Marian Brook, a young orphaned daughter of a Southern general, moves in with her rigidly conventional aunts in New York City. With the help of Peggy Scott, an African-American woman masquerading as her maid, Marian gets caught up in the dazzling lives of her rich neighbors as she struggles to decide between adhering to the rules or forging her own path.
1
Hutch Mansell, a suburban dad, overlooked husband, nothing neighbor — a "nobody." When two thieves break into his home one night, Hutch's unknown long-simmering rage is ignited and propels him on a brutal path that will uncover dark secrets he fought to leave behind.
-5
A first-hand account of the Tokyo Metropolitan Police beat following Jake Adelstein, an American journalist who embeds himself into the Tokyo Vice police squad to reveal corruption. Based on Jake Adelstein’s non-fiction book of the same name.
-2
In the West End of 1950s London, plans for a movie version of a smash-hit play come to an abrupt halt after a pivotal member of the crew is murdered. When world-weary Inspector Stoppard and eager rookie Constable Stalker take on the case, the two find themselves thrown into a puzzling whodunit within the glamorously sordid theater underground, investigating the mysterious homicide at their own peril.
-3
The story of the rise and fall of the Baltimore Police Department's Gun Trace Task Force — and the corruption and moral collapse that befell an American city in which the policies of drug prohibition and mass arrest were championed at the expense of actual police work.
-2
A group of families on a tropical holiday discover that the secluded beach where they are staying is somehow causing them to age rapidly – reducing their entire lives into a single day.
0
A young girl, passionate about fashion design, is mysteriously able to enter the 1960s where she encounters her idol, a dazzling wannabe singer. But 1960s London is not what it seems, and time seems to be falling apart with shady consequences.
0
In a time when monsters walk the Earth, humanity’s fight for its future sets Godzilla and Kong on a collision course that will see the two most powerful forces of nature on the planet collide in a spectacular battle for the ages.
1
An exploration of the life of Michael Peterson, his sprawling North Carolina family, and the suspicious death of his wife, Kathleen Peterson.
-2
King Charles VI declares that Knight Jean de Carrouges settle his dispute with his squire, Jacques Le Gris, by challenging him to a duel.
-2
The staff of an American magazine based in France puts out its last issue, with stories featuring an artist sentenced to life imprisonment, student riots, and a kidnapping resolved by a chef.
-2
Dominic Toretto and his crew battle the most skilled assassin and high-performance driver they've ever encountered: his forsaken brother.
-1
Acclaimed for his unfiltered reporting and deadpan humor, Andrew Callaghan brings his gonzo style reporting to the undercurrents that led to the January 6 Capitol Riot. As one of the best-known and hardest working journalists of his generation, the 25-year-old ventures on a wild RV journey through America to take the pulse of a divided nation.
3
Professor Albus Dumbledore knows the powerful, dark wizard Gellert Grindelwald is moving to seize control of the wizarding world. Unable to stop him alone, he entrusts magizoologist Newt Scamander to lead an intrepid team of wizards and witches. They soon encounter an array of old and new beasts as they clash with Grindelwald's growing legion of followers.
-1
Cordell Walker, a widower and father of two with his own moral code, returns home to Austin after being undercover for two years, only to discover there's harder work to be done at home.
1
Through Julia Child’s life and her singular joie de vivre, the series explores a pivotal time in American history – the emergence of public television as a new social institution, feminism and the women’s movement, the nature of celebrity and America’s cultural evolution.
0
After years of facing megalomaniacal supervillains, monsters wreaking havoc on Metropolis, and alien invaders intent on wiping out the human race, The Man of Steel aka Clark Kent and Lois Lane come face to face with one of their greatest challenges ever: dealing with all the stress, pressures and complexities that come with being working parents in today's society.
-3
Hanagaki Takemichi lives an unsatisfying life right up until his death. Waking up 12 years in the past, he reckons with the eventual fate of his friends and tries to prevent an unfortunate future.
-1
Belgian sleuth Hercule Poirot's Egyptian vacation aboard a glamorous river steamer turns into a terrifying search for a murderer when a picture-perfect couple's idyllic honeymoon is tragically cut short.
0
An ambitious carnival man with a talent for manipulating people with a few well-chosen words hooks up with a female psychologist who is even more dangerous than he is.
1
A mysterious force knocks the moon from its orbit around Earth and sends it hurtling on a collision course with life as we know it.
-2
As a collection of history's worst tyrants and criminal masterminds gather to plot a war to wipe out millions, one man must race against time to stop them.
-4
Buddy is a young boy on the cusp of adolescence, whose life is filled with familial love, childhood hijinks, and a blossoming romance. Yet, with his beloved hometown caught up in increasing turmoil, his family faces a momentous choice: hope the conflict will pass or leave everything they know behind for a new life.
1
A whip-smart doctor comes to the U.S. for a medical treatment to save her ailing son. But when the system fails and pushes her into hiding, she refuses to be beaten down and marginalized. Instead, she becomes a cleaning lady for the mob and starts playing the game by her own rules.
-3
A quarter-life crisis causes a young Chinese-American woman to drop out of college and go on a life-changing journey to an isolated monastery in China. But when she returns to find her hometown overrun with crime and corruption, she uses her martial arts skills and Shaolin values to protect her community and bring criminals to justice…all while searching for the assassin who killed her Shaolin mentor and is now targeting her.
-6
Everyone’s favorite rascals, the Aqua Teens, and everyone’s favorite perverted neighbor, Carl, split up then get back together to fight everyone’s favorite corporate overlord, Amazin, led by everyone’s favorite tech mogul, Neil, and his trusty scientist sidekick, Elmer.
3
Washed-up MMA fighter Cole Young, unaware of his heritage, and hunted by Emperor Shang Tsung's best warrior, Sub-Zero, seeks out and trains with Earth's greatest champions as he prepares to stand against the enemies of Outworld in a high stakes battle for the universe.
2
When Superman and the rest of the Justice League are kidnapped, Krypto the Super-Dog must convince a rag-tag shelter pack - Ace the hound, PB the potbellied pig, Merton the turtle and Chip the squirrel - to master their own newfound powers and help him rescue the superheroes.
0
In the wake of a school tragedy, Vada, Mia and Quinton form a unique and dynamic bond as they navigate the never linear, often confusing journey to heal in a world that feels forever changed.
0
Supervillains Harley Quinn, Bloodsport, Peacemaker and a collection of nutty cons at Belle Reve prison join the super-secret, super-shady Task Force X as they are dropped off at the remote, enemy-infused island of Corto Maltese.
-1
The story of how the Los Angeles Lakers became the most successful professional basketball team in the 1980s.
1
Andrew Zimmern visits families across America to explore how the cultural, regional, and historical facets of who we are inform what and how we eat, and all the ways food brings people together.
0
A chronicle of five friends during a decade in which everything changed, including the rise of AIDS.
0
Sam is a true Kansan on the surface but beneath it all struggles to fit the hometown mold. As she grapples with loss and acceptance, singing is Sam’s saving grace and leads her on a journey to discover herself and a community of outsiders that don’t fit in but don’t give up, showing that finding your people, and finding your voice, is possible. Anywhere. Somewhere.
-2
Eight years after the original website went dark, a new generation of New York private school teens are introduced to the social surveillance of Gossip Girl.
-2
Yusuke Kafuku, a stage actor and director, still unable, after two years, to cope with the loss of his beloved wife, accepts to direct Uncle Vanya at a theater festival in Hiroshima. There he meets Misaki, an introverted young woman, appointed to drive his car. In between rides, secrets from the past and heartfelt confessions will be unveiled.
-1
In 1980s Chicago, a 10-year-old sets out on a quest to get the Christmas gift of his generation: the latest and greatest video-game system.
1
When a man wakes up in the Australian outback with no memory, he must use the few clues he has to discover his identity before his past catches up with him.
0
Plagued by strange memories, Neo's life takes an unexpected turn when he finds himself back inside the Matrix.
-2
A widow begins to uncover her recently deceased husband's disturbing secrets.
-1
Reality and fantasy begin to blur when a teenager, alone in her attic bedroom, immerses herself in a role-playing horror game online.
-1
Television drama miniseries which re-examines the original's iconic depiction of love, hatred, desire, monogamy, marriage and divorce through the lens of a contemporary American couple, played by Oscar Isaac and Jessica Chastain.
0
A tech worker with agoraphobia discovers recorded evidence of a violent crime but is met with resistance when she tries to report it. Seeking justice, she must do the thing she fears the most: leave her apartment.
-4
Follow Helene, who is in her mid-twenties and who is not nicknamed “Hell” for nothing. Her life is anything but relaxed, Helen jumps from one job to the next and privately she keeps stumbling into big and small blunders. Sometimes she wishes she were like her best friend Maike, who travels the world and has already had some success professionally. When she meets the cello teacher Oskar, something like consistency seems to develop for the first time. But can "Hell" lead a quiet and happy life - and does she even want it?
5
Determined to ensure Superman's ultimate sacrifice was not in vain, Bruce Wayne aligns forces with Diana Prince with plans to recruit a team of metahumans to protect the world from an approaching threat of catastrophic proportions.
-2
The story of how Richard Williams served as a coach to his daughters Venus and Serena, who will soon become two of the most legendary tennis players in history.
1
The series follows Carrie, Miranda, and Charlotte as they navigate the journey from the complicated reality of life and friendship in their 30s to the even more complicated reality of life and friendship in their 50s.
-2
Mira is an American movie star disillusioned by her career and a recent breakup, who comes to France to star as “Irma Vep” in a remake of the French silent film classic, “Les Vampires.” Set against the backdrop of a lurid crime thriller, Mira struggles as the distinctions between herself and the character she plays begin to blur and merge.
-3
A celebration of Paul Newman and Joanne Woodward’s iconic careers and decades-long partnership. Director Ethan Hawke brings life and color to this definitive history of their love, lives, and philanthropy.
2
Madison is paralyzed by shocking visions of grisly murders, and her torment worsens as she discovers that these waking dreams are in fact terrifying realities with a mysterious tie to her past.
-6
A small-town Oregon teacher and her brother, the local sheriff, discover a young student is harbouring a dangerous secret that could have frightening consequences.
-2
Celebrating undiscovered and inspiring culinary voices from every corner of the country, this cooking competition series gives ten talented chefs the opportunity to share their stories and business dreams while vying for a life altering $300,000 cash prize.
3
Master craftsman and woodworker Eric Hollenbeck is in the restoration business, taking historic homes and forgotten treasures around his hometown of Eureka, California, and giving them new life.
2
Deputy Sheriff Joe "Deke" Deacon joins forces with Sgt. Jim Baxter to search for a serial killer who's terrorizing Los Angeles. As they track the culprit, Baxter is unaware that the investigation is dredging up echoes of Deke's past, uncovering disturbing secrets that could threaten more than his case.
-4
Get in the holiday spirit with this cozy, crackling fire.
1
A group of youngsters get lost while hiking in the woods and are suddenly attacked. Wounded and with one of them have being captured, they find shelter in an eerie village shrouded in an eternal mist, a place from where no one can escape.
-3
Chip and Joanna take on their biggest fixer yet: the famous castle in Waco, Texas. As they breathe new life into the historic landmark, they must also tackle its challenging infrastructure while preserving its original beauty.
1
Princess Diana's story is told exclusively through contemporaneous archive creating a bold and immersive narrative of her life and death. It also illuminates how the public's attitude to the monarchy was, and still is.
-1
The nightmare isn't over as unstoppable killer Michael Myers escapes from Laurie Strode's trap to continue his ritual bloodbath. Injured and taken to the hospital, Laurie fights through the pain as she inspires residents of Haddonfield, to rise up against Myers. Taking matters into their own hands, the Strode women and other survivors form a vigilante mob to hunt down Michael and end his reign of terror once and for all.
-4
A devoted and mild-mannered British couple become the focus of an extraordinary investigation when two dead bodies are discovered in the back garden of a house in England.
0
Actress and activist Evan Rachel Wood takes her experience as a survivor of domestic violence and pursues justice, heals generational wounds, and reclaims her story. Almost a decade after escaping a dangerous relationship, Wood co-authors and successfully lobbies for passage of The Phoenix Act, legislation that extends the statute of limitations for domestic violence cases in California.
-1
Follows a gender-fluid millennial who straddles various identities, exposing the identities and labels that are no longer applicable.
0
Explore how the late Gwen Shamblin Lara, who founded the controversial Remnant Fellowship Church and created the Christian weight loss program "The Weigh Down Workshop," rose to fame as a diet guru and church leader.
-1
Mystery Inc. has cracked the case to top all cases! They’ve tracked down Coco Diablo, the head of a notorious costume crime syndicate. With Coco and her kitty in prison, Mystery Inc. thinks that they can finally enjoy a break. Wrong! Suddenly, menacing doppelgänger ghosts of the Scooby crew and favorite classic foes show up in Coolsville to threaten Halloween. Now it’s up to the meddling kids to unmask the latest scoundrel and save Halloween!
-8
After discovering he has powers, 11-year-old Jonathan Kent and assassin-turned-Boy-Wonder Damian Wayne must join forces to rescue their fathers (Superman & Batman) and save the planet from the malevolent alien force known as Starro.
-1
Bill O'Neal infiltrates the Black Panthers on the orders of FBI Agent Mitchell and J. Edgar Hoover. As Black Panther Chairman Fred Hampton ascends—falling for a fellow revolutionary en route—a battle wages for O’Neal’s soul.
1
Harry Haft is a boxer who fought fellow prisoners in the concentration camps to survive. Haunted by the memories and his guilt, he attempts to use high-profile fights against boxing legends like Rocky Marciano as a way to find his first love again.
-1
When 38 year-old Natasha is unexpectedly landed with a baby, her life of doing what she wants, when she wants, dramatically implodes. Controlling, manipulative and with violent powers, the baby twists Natasha's life into a horror show. Where does it come from? What does it want? And what lengths will Natasha have to go to in order to get her life back?
-4
The 100-year story of the iconic restaurant chain Horn & Hardart, the inspiration for Starbucks, where generations of Americans ate and drank coffee together at communal tables. From the perspective of former customers, we watch a business climb to its peak success and then grapple with fast food in a forever changed America.
2
As a Korean-American man raised in the Louisiana bayou works hard to make a life for his family, he must confront the ghosts of his past as he discovers that he could be deported from the only country he has ever called home.
-1
An expansive and intimate 70-year journey, from Branson’s upbringing as the son of a spirited, tough-love mother in Britain, to his pursuits of extreme, personal daredevilry that serve both to grow his businesses’ brands and feed his insatiable, lifelong thirst for high-stakes adventure.
1
Ralphie is now all grown up and must deal with Christmas and all that comes with it…as a dad.
0
Erin French is the owner of The Lost Kitchen, a historic mill turned restaurant in Freedom, Maine, population 722. Every year, hundreds of visitors from around the world make reservations not by phone or email, but by submitting postcards.
0
Follow a teen girl’s journey from her small northwestern town to the heights of the multiverse. When a supernatural event shakes her hometown to the core, Naomi sets out to uncover its origins, and what she discovers will challenge everything we believe about our heroes
0
Tom Swift is thrust into a world of sci-fi conspiracy and unexplained phenomena after the shocking disappearance of his father. Tom takes to the road on a quest to unravel the truth, leaving behind the comforts of his usual moneyed lifestyle, all while fighting to stay one step ahead of an Illuminati-scale group hell-bent on stopping him.
-3
A wide-ranging, definitive look at Hawk’s life and iconic career, and his relationship with the sport with which he’s been synonymous for decades, featuring unprecedented access, never-before-seen footage, and interviews with Hawk and prominent figures in the sport including Stacy Peralta, Rodney Mullen, Mike McGill, Lance Mountain, Steve Caballero, Neil Blender, Andy MacDonald, Duane Peters, Sean Mortimer, and Christian Hosoi.
1
Featuring a series of revealing interviews with Shaquille O'Neal, this four-part documentary tells the story of a basketball legend unlike any other, whose larger-than-life personality transcended the sport and transformed him into a cultural icon.
0
Based on the true story of one of the most notorious crimes in Argentina, the series intimately follows all those involved in the case, and those who are still seeking an answer to the question: Who killed María Marta?
-3
Ronan Farrow's intimate, revealing interviews with whistleblowers, journalists, private investigators and other sources for his book Catch & Kill.
0
This two-part documentary chronicles the life and work of the legendary comedian, tracking George Carlin’s rise to fame and opens an intimate window into Carlin’s personal life, including his childhood in New York City, his long struggle with drugs that took its toll on his health, his brushes with the law, his loving relationship with Brenda, his wife of 36 years, and his second marriage to Sally Wade. Intimate interviews with Carlin and Brenda’s daughter, Kelly Carlin, offer unique insight into her family’s story and her parents enduring love and partnership.
5
A female rap group from outside of Miami trying to make it in the music industry.
0
U.S. Marshal Mason Pollard specializes in “erasing” people – faking the deaths of high-risk witnesses. With the technological advances of the last 25 years, the game has upgraded, and it’s just another day at the office when he’s assigned to Rina Kimura, a crime boss’ wife who’s decided to turn state’s evidence. As the two flee to Cape Town, South Africa, Pollard discovers he’s been set up and will need to be at the top of his game, or he’ll be the one who’s erased.
-1
In this biting animated satire, seven-year-old Prince George – youngest heir to the British throne – spills all the royal “tea” on Buckingham Palace’s residents and staff.
-1
This documentary series explores the 1960 brutal murders of three women in Starved Rock State Park in LaSalle County, Illinois, and the decades of questions and doubts that have haunted the son of the prosecutor in the case, as the man found guilty seeks to clear his name after sixty years in prison.
-4
A college professor in his forties decides to get his first driver's license.
0
From the 1960's to the 1980's, evangelist Jim Baker and his ambitious wife, Tammy Faye, rose from humble beginnings to to build an empire based on big-time evangelical Christianity--only for the couple to fall from grace because of some all-too-human sins.
1
Drag superstar Trixie Mattel is expanding her empire. With the help of her boyfriend and co-owner David and a host of celebrity guests, she uses her retro-kitschy style to turn a rundown motel in Palm Springs, California, into the ultimate drag paradise.
-1
Defying the state legislature that outlawed abortion, the Catholic Church that condemned it, and the Chicago Mob that was profiting from it, the members of “Jane” risked their personal and professional lives to support women with unwanted pregnancies. In the pre-Roe v. Wade era — a time when abortion was a crime in most states and even circulating information about abortion was a felony in Illinois — the Janes provided low-cost and free abortions to an estimated 11,000 women.
0
Michael Che shares his unique perspective on controversial topics with the help of fellow Saturday Night Live stars, sketches, and vignettes to illustrate what it feels like to experience various every-day situations including racial profiling, unemployment, falling in love and more.
0
In a present-day Spain, divided and on the brink of political chaos, inquisitive millennial investigative reporter Antonia stumbles on a decades-old conspiracy: the existence of a cryogenically frozen super-agent, García, created in a laboratory in the 1950s by General Franco’s fascist secret services. The old-world collides with the new as García and Antonia must learn to work together as they are drawn deeper and deeper into a political conspiracy that threatens to overthrow democracy and plunge Spain back into brutal dictatorship.
-7
It tells the stories of fame, fortune and the problems that follow.
1
After a mysterious explosion rocks the town of Pointe-Claire, rookie cop Richard Garcia and his ragtag group of friends find themselves entangled in an all-out war between rival alien factions.
-2
Follow Adam Pally and Jon Gabrus as they consume and devour local life in Maui, Moab, Miami, Puerto Rico, Portland, Richmond, Atlanta and Denver.
0
Hybrid docuseries offering an expansive exploration of the exploitative and genocidal aspects of European colonialism, from America to Africa, and its impact on society today.
1
This docuseries celebrates some of the most iconic moments in filmmaking with each episode featuring one acclaimed director pulling back the curtain on their most iconic shots. Inspired by the popular Twitter account of the same name.
2
In the beginning, an "orb" is cast unto Earth. "It" can do two things: change into the form of the thing that stimulates "it"; and come back to life after death. "It" morphs from orb to rock, then to wolf, and finally to boy, but roams about like a newborn who knows nothing. As a boy, "it" becomes Fushi. Through encounters with human kindness, Fushi not only gains survival skills, but grows as a "person". But his journey is darkened by the inexplicable and destructive enemy Nokker, as well as cruel partings with the people he loves.
3
Jacob, a man who believes he is a wolf trapped in a human body, is sent to a clinic by his family where he is forced to undergo increasingly extreme forms of "curative" therapies at the hands of The Zookeeper. Jacob’s only solace is the enigmatic Wildcat, with whom he roams the hospital in the dead of night. The two form an improbable friendship that develops into infatuation.
-2
A drunken New Year's Eve hook-up becomes far more complicated for Jessie when she discovers her one night stand is actually a film star.
-2
Documentarian Alexandra Pelosi offers a candid, behind-the-scenes chronicle of the life of her mother and Speaker of the United States House of Representatives, Nancy Pelosi, through her career milestones leading up to the inauguration of President Joseph Biden in January 2021.
1
Recently discharged Marine sniper John Stewart is at a crossroads in his life, one which is only complicated by receiving an extraterrestrial ring which grants him the powers of the Green Lantern of Earth. Unfortunately, the ring doesn't come with instructions - but it does come with baggage, like a horde of interplanetary killers bent on eliminating every Green Lantern in the universe. Now, with the aid of the light-hearted Green Arrow, Adam Strange and Hawkgirl, this reluctant soldier must journey into the heart of a galactic Rann/Thanagar war and somehow succeed where all other Green Lanterns have failed.
-5
William Tell just wants to play cards. His spartan existence on the casino trail is shattered when he is approached by Cirk, a vulnerable and angry young man seeking help to execute his plan for revenge on a military colonel. Tell sees a chance at redemption through his relationship with Cirk. But keeping Cirk on the straight-and-narrow proves impossible, dragging Tell back into the darkness of his past.
-5
Suzu is a 17-year-old high-school student living in a rural town with her father. Wounded by the loss of her mother at a young age, Suzu one day discovers the massive online world "U" and dives into this alternate reality as her avatar, Belle. Before long, all of U's eyes are fixed on Belle, when, suddenly, a mysterious, dragon-like figure appears before her.
-2
Pulls back the curtain on life at a privately owned TV station in the small desert town of Pahrump, Nevada, revealing a colorful cast of characters in front of and behind the cameras.
0
Explore Woodstock 99, a three-day music festival promoted to echo unity and counterculture idealism of the original 1969 concert but instead devolved into riots, looting and sexual assaults.
0
Set in Szczecin, Poland, the series begins after the body of a young woman is discovered under the melting ice. It asks ‘Who was she? Why did she die? Who did she leave behind?
-1
A father coming to grips with his daughter’s upcoming wedding through the prism of multiple relationships within a big, sprawling Cuban-American family.
0
An intimate, behind-the-scenes look at how an anonymous chef became a world-renowned cultural icon. This unflinching look at Anthony Bourdain reverberates with his presence, in his own voice and in the way he indelibly impacted the world around him.
1
In a near-future civil-war-torn America, fearless medic Alma sets out on a harrowing quest to find her missing son - crossing into the demilitarized zone of Manhattan, where a ruthless battle for control rages between rival gang leaders.
-2
Evan Hansen, a high schooler with social anxiety, unintentionally gets caught up in a lie after the family of a classmate who committed suicide mistakes one of Hansen’s letters for their son’s suicide note.
-5
Nicolas Bannister, a rugged and solitary veteran living in a near-future Miami flooded by rising seas, is an expert in a dangerous occupation: he offers clients the chance to relive any memory they desire. His life changes when he meets a mysterious young woman named Mae. What begins as a simple matter of lost and found becomes a passionate love affair. But when a different client's memories implicate Mae in a series of violent crimes, Bannister must delve through the dark world of the past to uncover the truth about the woman he fell for.
-6
In 1992, actress and dancer Daniella Perez was murdered by her co-star, Guilherme de Pádua and his wife, Paula Thomaz, in a cruelly premeditated crime. The untimely death of the 22-year-old, daughter of Brazilian author and producer, International Emmy winner Gloria Perez, shocked the country, gained notoriety and occupied the front pages of national newspapers for years.
-5
Seventh-generation cattle rancher and entrepreneur Elizabeth Poett tackles the work of running her family's 14,000-acre ranch while crafting regional dishes using her own fresh ingredients.
2
Twenty years ago, a series of tragic events almost ripped the blue-collar town of Millwood apart. Now, in the present day, a group of disparate teen girls finds themselves tormented by an unknown Assailant and made to pay for the secret sin their parents committed two decades ago, as well as their own.
-4
After being named CEO of the world's largest and most non-sensical corporation, Sebben & Sebben, Judy Ken Sebben aka Birdgirl has to find a way to maintain her work/superhero life balance.
0
John Constantine wakes up in the eerie House of Mystery with no recollection of how he got there. Fortunately, Zatanna and his friends are all there. Unfortunately, they have a bad habit of turning into demons and ripping him to shreds, over and over again!
-3
Part meditative tutorial, part fireside chat, each episode finds artist John Lurie ensconced at his worktable, where he hones his intricate watercolor techniques and shares his reflections on what he’s learned about life.
1
Using never-before-seen archival footage, personal photos, first-person narratives, and cutting-edge, mouth-watering food cinematography, the film traces Julia Child's surprising path, from her struggles to create and publish the revolutionary Mastering the Art of French Cooking (1961) which has sold more than 2.5 million copies to date, to her empowering story of a woman who found fame in her 50s, and her calling as an unlikely television sensation.
1
Jamila Norman helps families turn their backyards into functional farms.
0
Kimi lives in a small, low-cost housing complex located in the seaside town of Kurosaki, with horrific incidents starting to occur and trouble seemingly following her wherever she goes. Is an ancient evil stalking the residents of Housing Complex C?
-4
A mind-boggling "coincidence" leads the filmmaker to track down his fifth grade class – and fifth grade teacher – to examine their memory of and complicity in a bullying incident fifty years ago.
0
After a stock market plummet nearly killed Jackie's dream home, she and her family are ready to return to their famous 90,000 square-foot home.
1
Wizarding World fans put their Harry Potter knowledge to the test for the ultimate honor to be named House Cup champion.
2
All the rules are broken as a sect of lawless marauders decides that the annual Purge does not stop at daybreak and instead should never end as they chase a group of immigrants who they want to punish because of their harsh historical past.
-4
Follow the rise, fall, and reinvention of controversial and revered '90s television psychic Miss Cleo. Featuring interviews with celebrities and those closest to the self-proclaimed voodoo priestess, this documentary explores the many layers behind a complicated and charismatic figure.
-3
The world’s most lethal odd couple – bodyguard Michael Bryce and hitman Darius Kincaid – are back on another life-threatening mission. Still unlicensed and under scrutiny, Bryce is forced into action by Darius's even more volatile wife, the infamous international con artist Sonia Kincaid. As Bryce is driven over the edge by his two most dangerous protectees, the trio get in over their heads in a global plot and soon find that they are all that stand between Europe and a vengeful and powerful madman.
-9
Unfolding over six years, what begins as an impulsive one-off gathering turns into an ever-growing annual event attracting sponsorship from crypto-currency companies and featuring speakers such as Ron Paul and BitCoin investor Roger Ver. And when rule-avoidant freedom activists come together in one of the most dangerous cities in the world, utopian ideology collides with the unpredictability of human nature.
-1
Young Anthony Soprano is growing up in one of the most tumultuous eras in Newark, N.J., history, becoming a man just as rival gangsters start to rise up and challenge the all-powerful DiMeo crime family. Caught up in the changing times is the uncle he idolizes, Dickie Moltisanti, whose influence over his nephew will help shape the impressionable teenager into the all-powerful mob boss, Tony Soprano.
-4
A group of criminals are brought together under mysterious circumstances and have to work together to uncover what's really going on when their simple job goes completely sideways.
-1
Culinary masters compete to perfectly recreate, then skillfully reimagine a celebrity guest’s favorite fast food dish as they try to win the “Chompionship Trophy.”
7
A woman falls for an architect and gets an eerie premonition about his house, when she finds out that another woman died there.
-2
Features Jerrod Carmichael in a standup comedy show at the legendary Blue Note Jazz Club in New York City.
1
An investigative look into beauty and personal care products, and their absence of FDA regulations which result in hidden health risks to both the body and planet.
-1
A terrifying origin story of the pandemic, DIAMOND PRINCESS chronicles the first and largest outbreak of the novel coronavirus outside China: the Diamond Princess cruise liner. Through never-before-seen footage from passengers and crew, we watch class divisions erupt as humanity misses its chance to contain Covid-19.
-2
The next generation of business moguls compete for a chance to be second-in-command to business tycoon and Skinnygirl founder Bethenny Frankel, and win a coveted position working on her executive team. Through a series of real-life tasks and challenges, each aspiring mogul will be tested to see how far they can push their creativity and determination to rise to the top.
2
Documentary centers on the life and work of Canadian singer-songwriter Alanis Morissette while making her breakout album 'Jagged Little Pill'
1
This late night talk series sees host Sam Jay hosting a party at her apartment, where she and her guests explore current topics. Conversations are further expanded upon throughout the episode with additional interviews, sketches, and animation.
0
Features Bomani Jones, one of the most unique journalists working today, as he breaks down timely issues playing out in the world of sports.
-1
Follows the decade-long odyssey of big-wave pioneer Garrett McNamara who, after visiting a small fishing village in Portugal, helped push the sport beyond the realm of imagination.
1
Paying tribute to some of America's only surviving drive-ins – and those who keep them running – this heartfelt documentary captures efforts to preserve these nostalgic theaters in small-towns across the country.
1
Traveling back to the places where he grew up, Dustin Lance Black explores his childhood roots, gay identity and close relationship with his mother, who overcame childhood polio, abusive marriages and Mormon dogma, while becoming Black’s emotional rock and, ultimately, the inspiration for his activism. With a wealth of personal photographs and candid memories from Black’s family, colleagues, and friends, this documentary embraces the personal to tell a universally hopeful tale of resilience and reconciliation through the power of love and shared stories.
3
Take a stroll down Sesame Street and witness the birth of the most influential children's show in television history. From the iconic furry characters to the classic songs you know by heart, learn how a gang of visionary creators changed the world.
3
George Anthony Morton, a classical painter who spent ten years in federal prison, travels to his hometown to paint his family members. Going back forces George to face his past in his quest to rewrite the script of his life.
-1
The documentary is an immersive chronicle of the insurrection at the U.S. Capitol on January 6, 2021, when thousands of American citizens from across the country gathered in Washington D.C. to protest the results of the 2020 presidential election, many with the intent of disrupting the certification of Joe Biden’s presidency.
-2
An enchanting making-of story told through all-new in-depth interviews and cast conversations, inviting fans on a magical first-person journey through one of the most beloved film franchises of all time.
3
A deep dive into the lives of high school students in three radically disparate communities as they navigate the pressures around college while staging a musical, until seismic events upend their dreams and expectations.
-1
Catwoman's attempt to steal a priceless jewel puts her squarely in the crosshairs of both a powerful consortium of villains and the ever-resourceful Interpol, not to mention Batwoman.
1
A searing indictment of Big Pharma and the political operatives and government regulations that enable over-production, reckless distribution and abuse of synthetic opiates.
-2
This multi-part documentary explores the journey of Barack Obama from his early upbringing to the 44th U.S. President, set against the backdrop of the country’s unfolding racial history.
0
This documentary recounts the experiences of people on the ground in the earliest days of the novel coronavirus and the way two countries dealt with its initial spread, from the first days of the outbreak in Wuhan to its rampage across the United States.
-2
Filmed over more than seven years beginning in 2013, the film chronicles the extraordinary life of professional racer and TV personality Jessi Combs.
1
Follow Willie Mays’ life both on and off the field over five decades as he navigated the American sports landscape and the country’s ever-evolving cultural backdrop, all while helping to define what it means to be one of America’s first Black sports superstars. He left an indelible mark in New York City and San Francisco, building a love affair with both cities’ fans.
2
In a hostile time for Asian Americans, the revisiting of an unlikely athlete's story 10 years later gives hope and shatters stereotypes on sport's biggest stage.
-3
Tom the cat and Jerry the mouse get kicked out of their home and relocate to a fancy New York hotel, where a scrappy employee named Kayla will lose her job if she can’t evict Jerry before a high-class wedding at the hotel. Her solution? Hiring Tom to get rid of the pesky mouse.
0
As Gotham City's young vigilante, the Batman, struggles to pursue a brutal serial killer, district attorney Harvey Dent gets caught in a feud involving the criminal family of the Falcones.
-5
Researcher and six-time #1 New York Times bestselling author Dr. Brené Brown takes viewers on an interactive journey through the emotions and experiences that define what it means to be human. Grounded in more than two decades of research, Brown brings together a dynamic mix of powerful storytelling, pop culture references, and a range of impressive researchers to share the language, tools, and framework for meaningful connection.
4
Filmed at the Rocket Mortgage Fieldhouse in Cleveland, Ohio, the 2021 Rock & Roll Hall of Fame Induction Ceremony honors inductees: Tina Turner, Carole King, The Go-Go's, JAY-Z, Foo Fighters, and Todd Rundgren; along with Kraftwerk, Charley Patton and Gil Scott-Heron; LL Cool J, Billy Preston and Randy Rhoads; Clarence Avant for the Ahmet Ertegun Award. The special music event also features a host of all-star presenters, performers, and special guests, including Angela Bassett, Christina Aguilera, Mickey Guyton, H.E.R., Keith Urban, Taylor Swift, Jennifer Hudson, Drew Barrymore, Paul McCartney, Lionel Richie, and many others.
5
Bookended by Inauguration Day 2021 and the State of the Union speech of March 2022, this documentary is a front-seat account of the Biden administration’s tense first year, marked by security threats both at home and abroad. Assuming office only two weeks after the January 6th attack on the Capitol, Biden’s presidency entered the maelstrom of an ongoing global pandemic, renewed conflicts with Russia and China, and America’s international standing in decline.
-4
With Mystery, Inc. on the tail of a strange object in Nowhere, Kansas, the strange hometown of Eustice, Muriel, and Courage, the gang soon find themselves contending with a giant cicada monster and her winged warriors.
-4
An in-depth, intimate character portrait exploring the life and career and mysterious circumstances surrounding the tragic death of 90’s actress and rising star, Brittany Murphy. The series goes beyond the conspiracy theories and headlines, featuring new interviews by those closest to Brittany and new archival footage.
-3
Following a brutal series of murders taking place on Halloween, Thanksgiving, and Christmas, Gotham City's young vigilante known as the Batman sets out to pursue the mysterious serial killer alongside police officer James Gordon and district attorney Harvey Dent.
-5
A meditation on the elemental bonds of family told through portraits of four Syrian families in the aftermath of war.
0
Tina Turner overcame impossible odds to become one of the first female African American artists to reach a mainstream international audience. Her road to superstardom is an undeniable story of triumph over adversity. It’s the ultimate story of survival – and an inspirational story of our times.
1
The story of one Hollywood's most notorious and public scandals: the accusation of sexual abuse against Woody Allen involving Dylan, his then 7-year-old daughter with Mia Farrow; their subsequent custody trial, the revelation of Allen’s relationship with Farrow’s daughter, Soon-Yi; and the controversial aftermath in the years that followed.
-4
After Baltimore Police Detective Sean Suiter is shot and found dead while on duty, the tragedy soon becomes enmeshed in a widening corruption scandal that threatens to unravel the public’s already strained relationship with law enforcement.
-6
An intimate documentary that looks at the vicious cycles of drug addiction and street crime in one of the roughest parts of New Jersey.
-1
On October 27th, 2018, a gunman opened fire inside a Pittsburgh synagogue, killing eleven people as they prayed, in what would become the deadliest antisemitic attack in American history. This documentary is a deeply personal portrait of the survivors, victims and family members, who share their harrowing first-hand accounts of the impact of the shooting on the community.
-1
Set in the colliding worlds of streetwear, business and culture where fashion visionaries must elevate their designs and entrepreneurial sense to avoid elimination while remaining authentic to their style.
2
A three-year investigation chronicles the evolution of “Q” in real time, with access to key players, along with an examination of how the anonymous character uses conspiracy theories and information warfare to influence politics.
-1
A story of spies and silent pacts, this fascinating docuseries, told in first person by witnesses and experts, exposes how the machinery of the state is keen to protect the former King of Spain, Juan Carlos I, and conceal his scandals.
3
A documentary that paints a remarkable picture of America and how the rise of civic and economic reinvention is transforming small cities and towns across the country. Based on journalists James and Deborah Fallows' book Our Towns: A 100,000-Mile Journey into the Heart of America, the film spotlights local initiatives and explores how a sense of community and common language of change can help people and towns find a different path to the future.
1
A Spanish teacher and her student develop an unexpected friendship.
-1
When Lois Lane is killed, an unhinged Superman decides to take control of the Earth. Determined to stop him, Batman creates a team of freedom-fighting heroes. But when superheroes go to war, can the world survive?
0
Comedian and actress Nikki Glaser takes on a range of topics in her brutally-honest yet conversational style. Whether she’s dishing about sex, outlining the do’s and dont’s of dating (and how to trick someone into marriage), or oversharing about her (not-so-private) parts, Glaser delivers an hour of unapologetic and no-holds-barred comedy around topics often considered “taboo,” and showcases her ability to pivot from humiliating moments to being an empowering voice for women: the kind she yearned for as a confused adolescent.
-4
A half-hour docuseries takes a peek into the mind of interior designers, revealing their creative processes and introducing the inspirations and influences that shape their designs.
2
Explores the meaning of fame and influence in the digital age through an innovative social experiment. Following three Los Angeles-based people with relatively small followings, the film explores the attempts made to turn them into famous influencers by purchasing fake followers and bots to “engage” with their social media accounts.
2
Follows the story of Abu Zubaydah, the first high-value detainee subjected to the CIA's program, later identified as torture by those outside the agency.
-2
The citizens of South ParQ are clamoring for the COVID-19 vaccine. A hilarious new militant group tries to stop the boys from getting their teacher vaccinated.
1
Fifteen years after the smash, Tony-winning Broadway run of "Spring Awakening," the original cast and creative team reunite for a spectacular, one-night only reunion concert to benefit The Actors Fund. Chronicling their whirlwind journey back to the stage, this documentary follows the players as they reconnect and rediscover the beauty and timelessness of the hit musical.
3
Mike Milo, a one-time rodeo star and washed-up horse breeder, takes a job from an ex-boss to bring the man's young son home from Mexico.
0
When LeBron and his young son Dom are trapped in a digital space by a rogue A.I., LeBron must get them home safe by leading Bugs, Lola Bunny and the whole gang of notoriously undisciplined Looney Tunes to victory over the A.I.'s digitized champions on the court. It's Tunes versus Goons in the highest-stakes challenge of his life.
-1
A revealing and intimate docuseries chronicling the life and career of Argentine national soccer team coach Dr. Carlos Bilardo through insights from family, friends, former players, and rivals.
0
The haunting story of Flordelis, an acclaimed pastor and former member of the Brazilian parliament revered by many as a saint, accused of planning the death of her own husband, and her struggle to prove her innocence.
-1
Follow Grizz, Panda and Ice Bear – as their younger baby selves – traveling in a magical box to fantastic new worlds searching for a place to call home. Along the way, they meet new friends, learn a few lessons and discover that “home” can mean wherever they are, as long as they’re together.
2
A first-person account of the short-term and long-term devastation wrought by Hurricane Katrina, as told by young people who were between the ages of 3 and 19 when the levees broke.
-3
A narrative poem brought to life and an ode to a grandfather's passing, this story follows the journey of a budding artist—and his tree of life—from beginning to end.
0
A ragtag group of veterans in New York deal with the aftermath of war by creating unusual art.
-1
The tale of a charismatic, daredevil husband and father who unexpectedly jumped off a bridge in 1977, despite a seemingly happy home life and a lucrative career as a pilot. His small-town Arkansas community searches for his body in vain while family and friends seek answers. Years later, a mysterious story emerges involving hypnosis, secret identities and a double life of dangerous missions and law-breaking. And that’s just the beginning…
-1
Unfolding over 18 monumental days in August 2021, this deeply immersive and emotional documentary combines never-before-seen archival footage from those on the ground at the airport with exclusive interviews with people who were there throughout the period, including Afghan citizens attempting to flee, U.S. Marines tasked with managing the evacuation, and Taliban commanders and fighters who had recently taken the city.
0
A humorous but incisive look at the saxophonist Kenny G, the best-selling instrumental artist of all time, and quite possibly one of the most famous living musicians.
4
A young burnout discovers his estranged father is dead, leaving him the responsibility of managing an apartment complex. With hopes of cutting ties, he's forced to grow up, learning about the dad he never knew through the eclectic tenants.
-3
In 1960s San Francisco, a once-promising catholic school girl, Celina Guerrera, sets out to rise above the oppression of poverty and invest in a future for herself that sets new precedents for the time.
-2
The misadventures of an average kid as he contends with questionable guidance from the well-meaning grownups around him.
0
Sun Ra and his Solar Myth Arkestra return to Earth after several years in space. Ra proclaims himself "the alter-destiny", meets with inner-city youths and battles with the devil himself to save the black race.
-2
Filmed entirely inside the world of virtual reality (VR), this immersive and revealing documentary roots itself in several unique communities within VR Chat, a burgeoning virtual reality platform. Through observational scenes captured in real-time, in true documentary style, the film reveals the growing power and intimacy of several relationships formed in the virtual world, many of which began during the COVID-19 lockdown, while so many in the physical world were facing intense isolation.
-1
As the muse of Hal Hartley’s indie classics and as writer/director of the critically acclaimed Waitress, Adrienne Shelly was a shining star in the indie film firmament. A devoted young mother, her life was right on track until her husband found her dead. Filmmaker Andy Ostroy has been fighting to discover the truth about his wife’s death ever since.
1
Chris Wallace, one of the most highly-respected journalists of our time, in candid conversations with prominent individuals across the spectrum of news, sports, entertainment, art and culture. Wallace moves outside of politics to include his wide range of interests – from interviews to conversations, and from headlines to smart, sensible, in-depth discussions. He seeks light, not heat.
3
Bam, Redbird, Bibi, Batwing, and Buff are thrust into hijinks and action as they learn important lessons about teamwork, friendship, and so much more while helping Batman, Robin, and Batgirl defend Gotham.
2
Follow pop star Lizzo and explore her humble beginnings to her meteoric rise with an intimate look into the moments that shaped her hard-earned rise to fame, success, love and international stardom.
5
Elizabeth Carmichael, a larger-than-life entrepreneur rose to prominence with her promotion of a fuel-efficient, three-wheeled car known as The Dale.
1
A gay New York Times travel writer comes to Tel Aviv after suffering a tragedy. The energy of the city and his relationship with a younger man brings him back to life.
-2
Explore the contradictions at the heart of famed financier Carl Icahn. A polarizing figure described as both an activist investor and a ruthless corporate raider, Icahn rose from modest beginnings in Queens to become one of the richest men in the world, embodying the American Dream. Yet, he openly criticizes corporate excess and the huge wealth inequality gap.
0
This hour-long special blends Notaro’s signature voice and storytelling with a variety of artistic styles as she recounts a hospital bed proposal, a high school talent show gone awry, the repercussions of a dental procedure, unintentionally blowing off fellow comedian Jenny Slate, a road trip with Dolly Parton, and more.
2
When the Flash finds himself dropped into the middle of World War II, he joins forces with Wonder Woman and her top-secret team known as the Justice Society of America.
1
A Cuban-American director travels to his exiled parents' homeland to mount a stage production of the musical, RENT, where he discovers an inspiring artistic family and embarks on a personal journey to reclaim his complicated heritage.
1
The rise and fall of Menudo, the most iconic Latin American boy band in history. But behind the glitz and glamour was a web of abuse and exploitation at the hands of the band’s manager, Edgardo Diaz. Through revealing interviews with former Menudo members, this docuseries examines how this extravagant facade was disguising serious wrongdoings by Diaz.
-3
The cast of Friends reunites for a once-in-a-lifetime celebration of the hit series, an unforgettable evening filled with iconic memories, uncontrollable laughter, happy tears, and special guests.
3
On October 18 2019, a student uprising was triggered in Santiago over the Chilean government’s increase in metro fare. As the country awakens to the unrelenting abuse of power enacted by a neoliberalist government, and a mistrust in the political class intensifies, we follow Angy and Felipe—two parents who embrace their new roles as activists and enlist in the expanding movement that is fighting for a new Constitution and a just society.
-4
Kieran Culkin narrates this docuseries exploring the historic 2021 short squeeze of GameStop, and how a group of armchair investors and online vigilantes ultimately helped expose the dark underbelly of Wall Street.
0
In his first HBO Max stand-up special, Chris Redd digs into his days of living life like a music video and realizing that even if he'll never be tall enough to dunk, he can still grow as a person.
2
Looking to investigate recruitment techniques of ISIS to lure women into Syria, a journalist creates a Facebook profile of a Muslim convert. When an ISIS recruiter contacts her online character, she experiences the process first hand.
-1
New York City natives and rap personalities Alec “Despot” Reinstein, Ashok “Dap” Kondabolu and Aleksey “Lakutis” Weintraub invite their friends to join them at the edge of nature to commune in deserts and swamps in a valiant effort to reveal unknowable truths from the dreamstate of the shared human existence.
-1
Follows Gordon Parks' stellar career from staff photographer for LIFE magazine, through his artistic development photographing everyday Americans, through his evolution as a novelist and groundbreaking filmmaker.
2
Three months before the 2019 World Cup, the U.S. Women’s National Soccer Team filed a gender discrimination lawsuit against the United States Soccer Federation. At the center of this no-holds-barred account are the players themselves–Megan Rapinoe, Jessica McDonald, Becky Sauerbrunn, Kelley O'Hara and others–who share their stories of courage and resiliency as they take on the biggest fight for women's rights since Title IX.
1
Luzmila and Peta are two sisters who come from a modest environment and work as housemaids for Alicia and Carmen, two aristocratic ladies of Peru. They are almost considered a part of the families or, at least, that’s what it seems… But one day, as the city is taken over by violent protests, a birthday celebration gathers all the members of both families together. A long-held secret involving both households — upstairs and downstairs — is suddenly revealed, blowing up the bubble of their perfect aristocratic world forever.
2
The first female led En Letra de Otro music special to cover personal favorites transports us to the vibrant landscapes of her native Condoto in Chocó, Colombia. In between the stunning and elaborate music numbers, Goyo offers a glimpse of her history and influences, including the origin of her nickname, her father’s love of salsa, her rise to international recognition with the band ChocQuibTown, and her obsession with Shakira.
6
A sobering look at the erosion of democracy & freedom of the press in the United States and abroad.
-1
Everyone's favorite yellow canary unexpectedly becomes next in line for the crown when the queen of an island paradise disappears. His Little Highness’ entourage includes motorbike daredevil Granny and sly Sylvester, whose allegiance is tested when he uncovers a sinister plot to eliminate Tweety for good.
-1
This documentary explores Bob Einstein’s unlikely discovery and enduring career, sharing the many evolving layers of his comedy from the people that knew him best.
0
Home to one of the region’s largest law enforcement education program, students at Horizon High School in El Paso train to become police officers and Border Patrol agents as they discover the realities of their dream jobs may be at odds with the truths and people they hold most dear.
0
Pabllo Vittar and Luísa Sonza lead the fight for the crown of pop music in a competition where lip-sync queens unleash their own voices to win a place in Brazil's most talented drag queen musical trio.
1
Monica Lewinsky and filmmaker Max Joseph (Catfish) examine the human price of public shaming and cyber-harassment, profiling people who have experienced them first-hand - while investigating the bullies, bystanders, and experts in between.
-1
A likeable and talented underdog gets momentarily sidelined from chasing her musical dreams when her van breaks down in a welcoming small town just before Christmas.
-1
Based on the true story of the events that led to the death of Kenneth Chamberlain Sr., an elderly African American veteran with bipolar disorder, who was killed during a conflict with police officers who were dispatched to check on him.
-3
Lisa Ling travels from the bayous of Louisiana to Orange County’s Little Saigon, exploring the foods we love while shining a long overdue spotlight on the contributions Asian Americans have been making to the United States since before the United States was even the United States.
1
When her best friend's father is falsely accused of stealing the town's prized jingle bells, a young amateur sleuth and her friends must find the real thief before Christmas.
-1
The story of the unprecedented sports shutdown in March of 2020 and the remarkable turn of events that followed. This sports documentary is a chronicle of the abrupt stoppage, athletes’ prominent role in the cultural reckoning on racial injustices that escalated during the pandemic, and the complex return to competition in the summer and fall.
-2
This documentary special honors Henry Hampton’s masterpiece Eyes on the Prize and conjures ancestral memories, activates the radical imagination and explores the profound journey for Black liberation through the voices of the movement.
4
Jellystone, features various Hanna-Barbera characters living in the park town of Jellystone where they can't help but make trouble for one another.
-1
Comedian and actress Atsuko Okatsuka brings her brand of ingenious, offbeat storytelling to the Elsewhere stage in Brooklyn, New York where she dishes on the futile art of impressing teenagers, attending a “Magic Mike Live” show with her grandmother, and the alarming reactions that she and her husband had to the unwanted presence of an intruder.
-1
For his second HBO stand-up special, Lil Rel Howery returns home to Chicago to share candid takes on fame, fatherhood, and therapy.
1
Comedian Moses Storm recounts memories of growing up poor, dumpster diving for food, breaking into country clubs, squaring off with carjackers while naked, and more in this hilarious and heartfelt debut standup special.
0
A documentary exploring the history and growing dangers surrounding the seemingly innocuous Myers–Briggs personality test.
0
The series centres around crime syndicates that temporarily release contracted prison inmates to carry out political assassinations for those in power, except that the crime syndicates are run by politicians. The series also puts a spotlight on the real-world predicament concerning fake news and how easily truth can be manufactured and disseminated to the public in today's age of information.
-5
The true story of negotiations between implacable enemies — the secret back-channel talks, unlikely friendships and quiet heroics of a small but committed group of Israelis, Palestinians and one Norwegian couple that led to the 1993 Oslo Peace Accords.
1
A tough lady trucker trains her girly best friend to compete in the National Ladies Arm Wrestling Championship.
2
The untold story of Robert Stigwood and how he amped the disco era.
0
Robot heroes in training Elmo, Cookie Monster, and Abby Cadabby use their STEM superpowers to solve wacky larger-than-life problems.
-1
Take a glimpse into global star Mark Wahlberg's life as he juggles the demands of a rigorous film schedule coupled with an ever-growing network of diverse businesses including his clothing line, his gym studio, his restaurant chain; and his production company. Along the way, viewers will learn powerful business and life lessons as he navigates the numerous challenges of a global pandemic, all while trying to maintain and expand his vast portfolio.
1
In a high-stakes comedy drama that illustrates the power of humanity in a fragmented world, the dreams of five strangers traveling to Puerto Rico are put on hold when immigration authorities confine them in 'El Cuartito'
-2
Amidst the devastation of post-crisis Spain, mother and daughter bluff and grift to keep up the lifestyle they think they deserve, bonding over common tragedy and an impending eviction.
-3
Bruce Wayne faces a deadly menace from his past, with the help of three former classmates: world-renowned martial artists Richard Dragon, Ben Turner and Lady Shiva.
-2
At the end of the summer of 1992, three 15-year-old girls, Sandra, Eva and Malena disappear without a trace from a nightclub in a coastal town. When the police investigation appears to be taking the wrong direction, Javi, Sandra’s younger brother, takes the matter into his own hands. Along with the help of his friends, they discover something not of this world.
-1
The imprint of the past is made present by the return of three migrants to a community in the upper Mixteca region of Oaxaca, where the three stories intersect.
0
A piercing four-part docuseries exploring the rise of Brazil’s largest crime organization, Primeiro Comando da Capital – better known as the PCC.
0
A former runaway teen mom is accidentally resurrected in her family's funeral home, giving her a second chance to raise her now-teenage daughter.
-1
Brought to Los Angeles for treatment, a recovering junkie soon learns that the rehab center is not about helping people, but a cover for a multi-billion-dollar fraud operation that enlists addicts to recruit other addicts.
-2
The series is about a murder investigation which has similarities to a cold case from three years ago. During the investigation, the lead detective (Pinna), an up-and-coming public official (Chuang) and rookie policeman (Liu) are drawn together into a dark labyrinth of power play.
-2
An irreverent entrepreneur overcomes a series of adversities to create a new sport- and unexpectedly launches a global cultural phenomenon: snowboarding.
-2
This documentary from Albert and David Maysles follows the bitter rivalry of four door-to-door salesmen working for the Mid-American Bible Company: Paul "The Badger" Brennan, Charles "The Gipper" McDevitt, James "The Rabbit" Baker and Raymond "The Bull" Martos. Times are tough for this hard-living quartet, who spend their days traveling through small-town America, trying their best to peddle gold-leaf Bibles to an apathetic crowd of lower-middle-class housewives and elderly couples.
-1
Finley Tremaine, a small-town farm girl, longs to spread her wings and soar as an aspiring performer. When a Hollywood film crew arrives in her sleepy town, she is determined to land a role in the production and capture the attention of handsome lead actor Jackson Stone. Unfortunately, a botched audition forces her to change course. Now, disguised as cowboy “Huck,” Finley finally gets her big break. But can she keep the charade a secret from everyone, including her evil stepmother and devious step-siblings?
-2
Chip and Jo are back with new ideas for turning outdated homes into jaw-dropping, innovative living spaces. Having expanded their business (and their family), the Gaineses now juggle more while renovating, which keeps things unpredictable.
1
An intimate and often eye-opening exploration of the life and all-too-short career of wunderkind rapper Juice WRLD.
1
Filmed at Miami’s Fillmore Theater, Bill Maher’s latest stand-up special sees the acclaimed comedian, host, and satirist take the stage for a hilarious and scathing hour of his signature commentary on the latest hot-button issues.
0
After landing a job as a horoscope columnist, aspiring journalist Luna discovers an unlikely connection to her tarot deck that only further complicates her love life, friendships, and professional dreams.
0
León and Rafaela want to be a part of the competitive world of freestyling. Together, they will triumph over their competitors and overcome their own obstacles. Andy will help them navigate the social network world.
1
Follows the cast, crew and staff of the world-famous Public Theater and their obstacles they face as they prepare to mount an adaptation of Shakespeare's "Merry Wives".
1
A man and a woman in Lagos want to escape their everyday lives, but extricating themselves is no easy task. Two stories narrated with tenderness and restraint that only fleetingly touch, the dream of migrating to Europe floating above them all the while.
0
An eye-opening deep-dive into the world of Beanie Babies, charting the origins of a frenzy that helped make Ty Warner’s plush toys the biggest fad of the 1990s.
1
Sometimes, disaster is just one decision away from delight: Para - We are King, follows four young women in Berlin-Wedding searching for happiness in a world, in which light and darkness lie close together.
-1
The coming-of-age story of a town boy in search of his own identity.
0
Set in an alternate future where Roe v. Wade has been overturned, a depressed Black woman, deals with the culture of fear by channeling her rage into violent fantasies.
-4
A focus on a year in the life of rapper Earl “DMX” Simmons as he is released from prison in early 2019 and attempts to rebuild his career in the music industry and reconnect with family and fans.
-1
The profound story of Lucy Temerlin, a female chimpanzee raised as human from birth in a domestic environment, and Janis Carter, the woman who took on the seemingly impossible task of giving her a new life in the wild.
-1
Stephen Fry embarks on a journey to discover the stories behind some of the world's most fantastic beasts that have inspired myths and legends in history, story-telling and film.
0
After her school’s year-end trip is canceled, Alba discovers that some of her classmates are secretly planning an epic road trip – and does everything she can to land an invite.
0
Peter and Michael, raised on the streets of Philadelphia, are the children of Irish mob members, forever linked by the crimes of their fathers. 30 years later, Michael now runs the criminal organization and lusts for more power, his dangerous antics frequently held in check by his cautious cousin Peter. Haunted by the death of his sister, whose passing destroyed both his parents, Peter is caught between the dreams of childhood and the realities of his life as an enforcer. His only reprieve is a local boxing gym, a sanctuary that is quickly threatened as Michael’s desire for control escalates.
-4
Spain, 1970s. A Clockwork Orange, a film considered by critics and audiences as one of the best works in the history of cinema, directed by Stanley Kubrick and released in 1971, was banned by the strict Franco government. However, the film was finally premiered, without going through censorship, during the 20th edition of the Seminci, the Valladolid Film Festival, on April 24, 1975. How was this possible?
0
Faced with the destruction of her town at the hands of a greedy mining company, rebellious high school teacher Sarah Cooper utilizes an obscure cartographical loophole to declare independence.
-5
Acclaimed actors draw from five of Douglass’ legendary speeches, to represent a different moment in the tumultuous history of 19th century America as well as a different stage of Douglass’ long and celebrated life, while famed scholars provide context for the speeches, and remind us that Frederick Douglass’ words about racial injustice still resonate deeply today.
3
Comedian and actor Ricky Velez bares it all with his honest lens and down-to-earth perspective in his first hour-long HBO comedy special.
1
Inés works as a dubbing actress and sings in a choir in Buenos Aires. While on an idyllic trip she suffers a traumatic episode that she can’t recover from. She has trouble sleeping and experiences very vivid nightmares as strange sounds begin to emerge from inside her. Awake, Inés feels suddenly surrounded by people that seem to come from her dreams.
-1
In the late ‘90s, “Sex and the City” took television by storm with its honest and hilarious perspective on love, relationships… and sex, earning legions of devoted fans.  Over 20 years later, this exclusive and immersive documentary offers a unique behind-the-scenes look at the filming of the new chapter, “And Just Like That…”.
4
This time, the rivals team up to help a cowgirl and her brother save their homestead from a greedy land-grabber, and they’re going to need some help! Jerry’s three precocious nephews are all ready for action, and Tom is rounding up a posse of prairie dogs. But can a ragtag band of varmints defeat a deceitful desperado determined to deceive a damsel in distress? No matter what happens with Tom and Jerry in the saddle, it’ll be a rootin’ tootin’ good time!
-2
Flora and Victor are fun, modern, caring parents. That is, until they decide to get a divorce, and the perfect job opportunity turns up for them. They now have one problem: custody.
2
Five young filmmakers share stories of their families, who were on the frontlines during the first wave of the Coronavirus.  These intimate accounts shine a light on families caught in chaos and crisis, in a city hiding from a deadly virus, in a country riven by social upheaval.
-3
The story of Ollie and Zoe, a newly engaged couple who agree to try out an open relationship.
0
Lady Divine becomes enraged when her boyfriend cheats on her and descends into a life of murder and mayhem.
-2
A timely documentary uncovering rampant discrimination in Nigeria while exploring the lives of several non conformist men who must choose to live imperiled lives there or flee to the USA.
-2
An honest and unique look into what it means to be young, black, and in constant pursuit of one's dreams in the heart of South Los Angeles.
1
Tato (17), is an orphan adrift, a young rap lover. Along with his friends Pitu (18) and La Crespa (16), they seek an alternative to death and crime, through the art of hip hop and street jam battles. Tato has to run, and his only option is to leave the city and live with his grandfather Octavio (78), a flower grower, whom he does not know, and who wishes to inherit his traditions. Two genera- tions, two ways of life and a continuous feeling of loss, death and loneliness rain over Tato’s life in his struggle to survive and find his own identity.
-7
KING OF BACHATA intertwines the story of bachata with the musical legacy of the genre’s biggest champion and superstar, Dominican singer-songwriter Romeo Santos. The documentary traces the ascent of the disenfranchised genre from the oppressed countryside of the Dominican Republic to its unprecedented international recognition—culminating in a record-breaking concert starring Romeo Santos, alongside the legendary bachateros that paved the way before him.
2
With the help of an ancient Kryptonian power, Lex Luthor unites the world’s Super-Villains to capture all of Earth's Super Heroes, until…only the DC Super Hero Girls are left to stop the Legion of Doom. Our heroes must cross dimensions to rescue their fellow Super Heroes from the Phantom Zone, but a fortuitous wrong turn leads them to Titans Tower – where they find much-needed allies in the Teen Titans!
7
Makoto Misumi is just an ordinary high school student living a regular life, but all of a sudden gets summoned to the other world to become a "hero." The goddess of the other world, however, insults him for being different and strips his "hero" title, before casting him off to the wilderness at the edge of the world. As he wanders the wilderness, Makoto encounters dragons, spiders, orcs, dwarves, and all sorts of non-human tribes. Because Makoto comes from a different world, he is able to unleash unimaginable magical powers and combat skills. But just how will he handle his encounters with various species and survive in his new environment. In this fantasy, Makoto tries to transform the other world into a better place despite the humans and gods having turned their backs on him.
2
An evil sorceress transports the gang back to the age of chivalrous knights, spell-casting wizards, and fire-breathing dragons.
0
Celebrate the new year with award-winning superstar Lizzo, her band The Lizzbians and The Little Bigs, The Big Grrrls with special guests Cardi B, SZA and Missy Elliott for a spectacular show filled with lots of love, positivity and incredible music.
4
The Teen Titans are visited by the Nerdlucks, the Space Jam villains who tried to capture Michael Jordan and the Looney Tunes. Astonished to discover his fellow Titans have never seen Space Jam, Cyborg organizes an exclusive watch party.
-1
In the DR, hardened cop Manolo tries to take down an infamous drug cartel; meanwhile, his daughter has fallen in love with Lorenzo, a construction worker who's unwittingly gotten embroiled in the drug cartel's dealings.
-3
Jessica, a young, up-and-coming filmmaker in Hollywood has made a name for herself directing Christmas movies. But when handsome network executive Christopher shows up threatening to halt production on her latest movie, Jessica’s assistant, Reena, points out the irony: Jessica isn’t just trying to save her Christmas movie, she’s actually living in one. Jessica must now juggle all the classic tropes—her actors falling in and out of love, a wayward elf dog, and her own stirring romantic feelings for her perceived nemesis—in order to get her movie and her life to their happy endings.
1
At ACME Construction Company, Bugs Bunny and Lola Bunny manage an inept crew of builders. By working together as a team, Daffy Duck, Porky Pig, Tweety, and others use their tools and wild vehicles to pull off some of the looniest construction jobs ever.
-4
Paul O'Leary, Helen Parker and Robin McLellan of deVOL Kitchens lead their skilled team of artisans to craft beautiful kitchens and furnishings for their clients from their 16th-century water mill-turned-workshop in the heart of the English countryside.
3
A former soccer player who was once the best in the world becomes the new coach of his town's women's soccer team and promises to make them champions in order to avoid going to jail.
3
The renowned Dominican composer, musician, producer, and singer Juan Luis Guerra offers a historic concert from the beautiful and lush beaches of Miches, located in the eastern region of the Dominican Republic.
3
Tracking a real-life pregnancy, this fictional film tells the story of a Latinx workaholic who’s determined to have a baby on her own terms and gets more than she bargained for when she gets pregnant in the year 2020.
-1
Infused with her warmth and passion for all things family, Joanna Gaines spends time in the kitchen sharing her favorite recipes, where they come from and why she finds herself returning to them time and time again.
3
The story centers on an unconventional mother who, desperate due to her financial situation, is forced to reclaim her family tradition: the business of pre-Hispanic magic and moorings that belonged to her grandmother Celia, who was considered a witch. Although she doesn't believe she has a special gift, as her grandmother claimed, Ana begins to practice the love moorings to raise the money she needs to save her family. LOVE SPELLS (AMARRES) touches on subjects like homosexuality, polyamorous relationships, divorce, family and Mexican traditions; and it shows a Mexican society that is going through a transformation in the role of women, whereby empowerment is a relevant and attractively provocative theme, all presented through a fresh, unique, real and fun tone.
7
An introduction to the work of some of the foremost Black visual artists working today, inspired by the late David Driskell's landmark 1976 exhibition, "Two Centuries of Black American Art."
2
On September 13, 1971 the State of New York shot and killed 39 of its own citizens, injured hundreds more, and tortured the survivors. Elizabeth Fink tells the story of the Attica prison rebellion, and how she exposed the cover up.
-2
From a young age, Isabel was willing to break all the socially accepted standards of her time to pursue happiness and blaze her own path. Then, at the peak of her career, she receives the devastating news that her daughter is on the verge of dying. The pain may have bent her, but it never broke her.
-4
A documentary which follows the cast and crew of HBO’s Insecure throughout the filming of the final season, tracing the show’s cultural impact.
-1
It follows the Culpo sisters as they go about their lives, loves, and businesses together in LA.
1
In this Concert he focuses on the star and most important defender of bachata, the Dominican singer and songwriter Romeo Santos, and his concert on September 21, 2019 at MetLife Stadium in East Rutherford, New Jersey, which broke attendance record . Romeo took advantage of this event to bring together, for the first time live, all the legendary bachateros with whom he collaborated on his acclaimed album Utopia (2019), to the delight of the public who sang his favorite hits.
6
This documentary celebrates the Black cultural renaissance that existed in the Greenwood district of Tulsa, OK, and investigates the 100-year-old race massacre that left an indelible, though hidden stain on American history.
-1
Directed by Peter Ho, the ten-part show with 60-minute episodes, explores relationship issues and marital challenges, and depicts painful dilemmas for the characters through a unique lens on their daily lives. The screenplay is by Ho and Chiang Yu-Chu.
-3
In 2020, the Covid-19 pandemic crushed Camilo’s dreams of performing live in front of his growing number of fans, which he affectionately calls “La Tribu.” In 2021, Camilo launched his first world tour, opening in Spain, featuring special appearances by artists like Fito y Los Fitipaldis, Dani Martín, Mau y Ricky, Pablo Alborán, and Nicky Nicole. This concert special and documentary follows the behind-the-scenes moments of those magical shows, and offers a window into the artist’s intimate life, sharing special moments with his partner and fellow artist and director Evaluna Montaner.
2
A unique look at the life of the four-time Super Bowl Champion and Pittsburgh Steelers quarterback. In August of 2021, Bradshaw took the stage at the Clay Cooper Theater in Branson, Missouri for a series of live performances that offered a mix of singing, music, colorful stories, and honest and emotional reflections on his life.
4
Copa Libertadores, 1989. A true story about football, corruption and the power of Pablo Escobar and his cartel, told by its protagonists: five referees who resisted the dramatic weight of an era.
-1
The electrifying story of Milestone Media, of the challenges they faced in changing the face of superhero storytelling, and of the rebirth of the company –  now with entertainment legend Reggie Hudlin helping to steer the ship – just when the world needs the Milestone heroes more than ever.
2
Carlos Boyero is one of Spanish cinema's most followed and feared figures. Controversy has hounded him since he published his first article more than forty years ago, and he has remained in the eye of the hurricane ever since. Is he the last representative of a disappearing time? Has social media put an end to the traditional influence of the critics. Taking the background and personality of this very controversial figure as its basis, El crítico / The Critic will also endeavour to reflect on the enormous changes taking place in Spain in the field of film criticism.
-5
Reefa Hernandez Jr, an 18-year-old Colombian immigrant and talented artist spending his last summer in Miami with friends, family and his new girl Frankie before moving to New York City on an art scholarship.
1
Conductor Gustavo Dudamel sets the music world afire with his original interpretations of the greatest symphonic works. He is named one of Time's "100 Most Influential People" and serves as music and artistic director of the Los Angeles Philharmonic. Amidst social unrest in his native Venezuela, he devises an innovative concert that celebrates the power of art to renew and unite.
3
Lindsey Kurowski and her family restore historic motels, inns and lodges across America to give vacationers the stay of their dreams.
0
Brie Hayes is an aspiring baker who wishes to win her school's Spring Bake Off Challenge. Troubles ensue when Brie's confidence reaches an ultimate low and her "arch nemesis", Vanessa, does everything she can to slim Brie's chances of winning. Brie's family and her best friend Millie must help her gain perspective and practice to win. Stakes are high as these pre-teens compete for the grand prize of $5,000 and for four Cosmo Land tickets. This is the ultimate baking movie for children and adults who love watching cooking and baking shows.
7
In 1973, Eunice Johnson, the founder of Ebony and Jet, launched the first national cosmetics brand created exclusively for Black women. This film chronicles Fashion Fair’s past, and follows its new leadership as they reinvent the brand.
1
Inspiring celebrities and influential Latinos come together to "speak loudly" and share their stories of being Latinos in the U.S.
2
Mark Wiens explores the abundant culinary treasures of Singapore with guests from fine dining chefs to hawker heroes. Mark has his work cut out for him since the city is home to more than 50 Michelin-starred establishments and over 60 Bib Gourmand entries, not to mention the abundant street food and hawker stalls that many frequent.
5
For these young boys, fighting wildfire is another chance at life. Fireboys tell the story of California's incarcerated youth given a way out through trial by fire, literally.
0
Taped live at the Belasco Theatre in Los Angeles, this hour-long special features the comedic stylings of multi-hyphenate legend Marlon Wayans and five up-and-coming stand-ups. Serving as emcee, Wayans shines the spotlight on actor D.C. Ervin, social media star Tony Baker, niece and stand-up comic Chaunté Wayans, writer Sydney Castillo, and noted “closer” Esau McGraw.
1
Designer Jean Stoffer takes on some of her most ambitious projects to date around her hometown of Grand Rapids. She shares the inspiration behind her stunning designs, as well as the important role family plays in her life and business.
7
After years of crime fighting, Batman prepares to become an official Gotham employee and deepens the rift between himself and Catwoman, who's been using Gotham criminals for financial gain.
-2
For her first hourlong stand-up special, comedian/actress/producer Aida Rodriguez takes the stage in the Bronx to tackle the issues of the day – not just because they’re ripped from the headlines, but because they’re in the pages of her personal life story. With her grounded and unapologetic point of view, Rodriguez gets candid about being worn out from political comedy, embracing both sides of her heritage, getting back into the dating game, and so much more.
-3
Picking up where her debut special left off, Emmy®-nominated actor Yvonne Orji (HBO's Insecure) returns to the stage to offer up her point-of-view on the pandemic, estate planning, being the child of Nigerian immigrants and the brutal realities of dating.  With a unique mash-up of stand-up comedy with scripted vignettes, Orji showcases the multi-hyphenate's range and vulnerability, while also serving as a no-holds-barred therapy session – for both the artist and the audience.
-2
Actresses Sílvia Abril and Toni Acosta are gifted an epic celebration of their 50th birthdays… but to make it to the big event, they must survive a series of over-the-top adventures, doled out one mystery envelope at a time.
1
Carpenter Clint Harp hits the road in search of incredible historical structures across the country that are in need of restoration, while exploring their origins and dreaming of their futures.
1
Marlon explores his greatest fears onstage whilst he explains his prominent consternation and trepidation.
0
Phoebe Robinson brings her singular brand of confessional humor to an hour where she dives into quarantining with her boyfriend, moderating on Michelle Obama's book tour, and failing at being a social justice warrior, among many other topics.
0
Romantic comedy...coming soon.
1
A chance meeting sparks love between Will and Michele, but due to poor timing and the reality of life--they strike out twice. If fate gives them another shot--will they hit or miss?
-2
The documentary features interviews with prominent figures opposed to the government of Nicolas Maduro in Venezuela.
1
A snapshot of the state of animated filmmaking 100 years ago. Includes several 1922 films: Walt Disney's "The Four Musicians of Bremen," Dave Fleischer's "Birthday," Otto Messmer's "Felix Makes Good," Paul Terry's "The Farmer and His Cat," Earl Hund's "Fresh Fish," Dave Fleischer's "Mechanical Doll," Otto Messmer's "Felix Fifty-Fifty," and Paul Terry's "Henry's Busted Romance".
2
With help from her big sister Joanna Gaines, Mikey McCall launches the business of her dreams: a retro-inspired plant shop that blends her passion for gardening with her love of unique, vintage items.
2
A look at the extraordinary achievements and contemporary legacy of Oscar Micheaux, a pioneer of the African-American film industry.
2
Follows the evolution of the female fronted superhero characters in comics from the 1940s and up to today. Detailing the influences of what made the characters and how they impacted on the comic book world.
0
Jesus Sepulveda makes his standalone Entre Nos debut with this comedy special recorded at Chelsea Music Hall. Thanks to his own experiences with a tough dad and an even tougher therapist, Sepulveda has finally realized why Latinos love partying and mistrust therapy. Join us for a group session full of stamina and hilarious revelations and discover one of LA’s funniest new voices in stand-up comedy.
4
What do you do when you feel like you've lost your inspiration? When you feel like you're moving away from your essence and losing yourself? After two years of working frantically, Irina Rimes feels the need for a change in order to find herself again. With the support of the music label she's signed to, Global Records, Irina goes on the road for two weeks, traveling in a mobile studio through six cities, in order to complete her album Home. Bucharest, Brasov, Piatra Neamt, Iasi, Chisinau, and Izvoare as the final destination. Her personal and professional life come together and at the end she's able to find closure and the way back home.
1
Spanish singer Beatriz Luengo performs hits from her latest album "Cuerpo and Alma" in this special show full of Cuban music and flavor.
0

0
A taxi driver gets caught up in a deadly operation when he steals the identity of a passenger.
-2
While living in America, a Cambodian teenager finds home inside the water of his high school pool.
0
Filmmaker Jean Achache shot extensively on the set of ’Round Midnight. This documentary presents that material for the first time, including footage of director Bertrand Tavernier, production designer Alexandre Trauner, and other members of the cast and crew.
0
In his first standalone “Entre Nos” special, Ian Lara explores the lessons learned during the pandemic, including common problems of New Yorkers during travel, and offers some essential advice to avoid risky dating experiences.
-2
A documentary that details the process of restoring 270 of the 520 lost films of pioneering director Georges Méliès, all orchestrated by a Franco-American collaboration between Lobster Films, the National Film Center, and the Library of Congress.
-1
On the eve of her cotillion ball, a young Black girl grapples with her queer identity and questions her purity.
-2
Johannesburg, 1985. A young black nurse living in apartheid South Africa must face her worst fears when her activist younger brother doesn't return after school. Inspired by a true story.
-2
An inside look at the historic, multi-national race to research, develop, regulate, and roll out COVID-19 vaccines in the war against the coronavirus pandemic.
0
Toya (Tatum Marilyn Hall), a feisty young girl, falls in love for the first time. After a series of disturbing events, her affection for Poochy (Meliki Hurd) compels her to face her past.
1
Follows Drew Michael and his issues with relationships, social media, and comedy as therapy.
-1
A print-shop worker finds out the hard way that if you let it, guilt, will kill you.
-3

0
A woman pursues her acting dreams in New York City while enduring her very Cuban and conservative parents.
-1
Celebrating your friends is super exciting...unless you're the least successful person in the room. A jaded writer attends her frenemy's congratulatory event only to discover that she has been robbed of her career changing opportunity. Will she toast the host? Get ready to go from #LOL to #WTF.
4
He may not be household name, but Joe Caroff is one the most influential graphic designers of the 20th century. His work is a history of the pop culture of our time: from iconic corporate logos (like ABC News and ORION Pictures) and book jackets (Norman Mailer’s The Naked and the Dead) to some of the most instantly recognizable “title treatments” for such classics as WEST SIDE STORY, A HARD DAY'S NIGHT, CABARET, LAST TANGO IN PARIS, MANHATTAN, and the James Bond gun logo. Caroff’s story is told by the centenarian himself, with reminiscences of growing up during the Depression and service in WWII, along with interviews with Phyliss Caroff, his wife of over 70 years, producer Mike Medavoy, and others.
2
The third edition of "Entre Nos: The Winners" welcomes the winners of the 3rd edition of the “Latino Stand-Up! Comedy Competition” Ralph Barbosa and Gwen La Roka. Disarmingly shy and low-key hilarious, Barbosa shares the good news about his apartment lease and analyzes the lyrics of great hip-hop classics. La Roka confesses her deepest fears during the height of the pandemic and teases her physical comedy chops while discussing inter-generational differences.
5
A timid engineer develops a wild and expressive split personality to help her speak up to the boy's club at work.
-2
British comedian Ahir Shah mixes philosophical inquiry, personal examination, and sweet gags in his first ever stand-up special, exploring identity, faith, family, and the desire for certainty in uncertain times.
1
Over a day of landscaping work, a first generation African American and his immigrant father have their tense relationship and different outlooks on life transformed irreversibly when they are racially profiled by police.
0

0
Samah attempts tirelessly to escape wearing a burkini for her middle school swim meet, feeling embarrassed by its shape and cultural meaning.
0

0
In a small Oregon community, a high school soccer team struggles to overcome class and racial divide in a quest for both individual and team success. While Domingo deals with the deportation of his father to Mexico, and Eric painfully learns how to become a captain and command the respect of his Mexican-American teammates, Coach Riviera struggles to keep the team together amidst the pressure of academics and athletics. This coming-of-age feature documentary focuses on the friendship and maturation of three characters and is set against the backdrop of a segregated American town. Will Domingo graduate? Will Eric become a leader? Will the Eagles win a state championship?
0
A young woman preparing for her marriage desperately and courageously journeys to erase her past.
-1
When high school senior Lolo discovers that her grandma is being evicted by gentrifying developers, she convinces her best friend, Vashundhra, to help with a bank heist before graduation.
1
For the first time in over a century, two sisters have the opportunity to communicate with someone new. The only issue is - he's alive. Two sisters, Geraldina and Maria, have been trapped haunting their former home for over a century. To ease the monotony of ghostly life, Geraldina enjoys spooking the living tenants while Maria prefers peace and quiet. When a new young man moves in and tries to communicate with them via ouija board, the sisters are at odds on how to proceed.
1
Danny Trejo and Izabella Alvarez host an hour of no-holds-barred stand-up from a group of hilarious Latina comics, filmed live at the HA Comedy Festival in San Antonio.
1
Comedy special starring winners of the second Annual Latino Stand-Up. Cisco Duran and Abi Sanchez.
1
Twenty years after modern civilization has been destroyed, Joel, a hardened survivor, is hired to smuggle Ellie, a 14-year-old girl, out of an oppressive quarantine zone. What starts as a small job soon becomes a brutal, heartbreaking journey, as they both must traverse the United States and depend on each other for survival.
-1
The origin of the sleuth and member of the Mystery Inc. gang, Velma.
-1
A wild and punky tale of a mother's love for her daughter, of deep-rooted and passionate friendships, and of brilliance thwarted by poverty and prejudice.
0
In this all-encompassing competition series, amateur climbers are put through a rigorous series of mental and physical challenges, utilizing the most intimidating ascents in the world to crown the world’s best amateur climber.
0
Over the course of a hilarious and deeply personal hour, Maron explores such universal topics as getting older, antisemitism and faith, and the superiority of having cats over children - especially during the pandemic.
3
Aspiring club promoters and best buds Damon and Kevin are barely keeping things together. Out of money, down on their luck and about to lose the roofs over their heads—and freshly fired from their low-lift jobs as house cleaners—the pair needs a huge windfall to make their problems go away. In a ‘what the hell?’ move, they decide to host the party of the year at an exclusive mansion, the site of their last cleaning job, which just happens to belong to none other than LeBron James. No permission? No problem. What could go wrong?
-1
Filmed at the Center Stage Theater in Atlanta, Wayans delivers a hilarious hour-long performance, unleashing his spot-on impressions and fearless physical comedy to address one of the most infamous recent events in pop culture – “the slap” that took place at the 94th Academy Awards® ceremony.
0
A typical 18-year-old who happens to be the Antichrist is sent by his father to Earth to cause disaster, but he has other plans for his life.
-1
Filmed at LA’s SoFi Stadium, The Weeknd brings down the house – and your living room – in this epic concert event.
0
A candid conversation between two basketball icons that explores the concept of "Greatness" and what it takes to achieve it.
1
Arguello couples her larger-than-life stage presence with her brutally honest take on post-pandemic hook ups and why broke men are better in bed, an exploration of how “Beauty and the Beast” triggered an epiphany, and a self-reflection on her middle school D.A.R.E. essay.
1
Comic book writers discuss how they make the villains who take on the superheroes.
0
Director Baz Luhrmann, actors Austin Butler and Tom Hanks, and others explore the life and legacy of Elvis Presley and the making of the acclaimed hit film, ELVIS.
1
The story of the iconic singer's fascinating six-decade career in both music and Black and LGBTQ activism.
1
During a family meeting, a grandmother and granddaughter are forced to face their fears about growing old and growing up.
-1
In [77]:
# total_df_cp.dropna(subset=['description','imdb_score'], inplace=True)

Remove the textual features¶

In [78]:
# put the title and description cols on the side for later use
title_description_cols = total_df_cp['title']
In [79]:
title_description_cols = pd.concat([title_description_cols, total_df_cp['description']], axis=1)
In [80]:
total_df_cp.drop(['title', 'description'], axis=1, inplace=True)

Split into movie df and shows df¶

In [81]:
# movies_df = total_df_cp[total_df_cp['Type_SHOW'] == 0]
# shows_df = total_df_cp[total_df_cp['Type_SHOW'] == 1]
In [82]:
# movies_df.drop(['Type_SHOW', 'seasons'], axis=1, inplace=True)
# shows_df.drop(['Type_SHOW'], axis=1, inplace=True)

Imputation¶

All

In [83]:
total_df_cp.drop('name', axis=1, inplace=True)
In [84]:
total_df_cp
Out[84]:
release_year age_certification runtime seasons imdb_score imdb_votes tmdb_popularity tmdb_score score_actors score_directors ... Country_YU Country_ZA Country_ZW streaming_platform_HBO streaming_platform_amazon streaming_platform_apple streaming_platform_disney streaming_platform_netflix streaming_platform_paramount sentiment
0 1976 0.0 119 0.0 8.1 588100.0 106.361 7.782 0.250000 0.0 ... 0 0 0 0 1 0 0 1 1 0
1 1978 0.0 110 0.0 7.2 283316.0 33.160 7.406 0.500000 0.0 ... 0 0 0 0 0 0 0 1 1 0
2 1973 0.0 129 0.0 8.3 266738.0 24.616 8.020 1.083333 0.0 ... 0 0 0 0 0 0 0 1 0 0
3 1979 0.0 119 0.0 7.3 216307.0 75.699 7.246 0.250000 0.0 ... 0 0 0 0 1 0 0 1 1 1
4 1975 0.0 91 0.0 8.2 547292.0 20.964 7.804 0.000000 0.0 ... 0 0 0 0 0 0 0 1 0 1
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 2023 1.0 37 0.0 6.9 27.0 7.509 2.000 0.000000 0.0 ... 0 0 0 1 0 0 0 0 0 1
21482 2023 5.0 62 0.0 5.5 45.0 3.402 6.000 0.000000 0.0 ... 0 0 0 1 0 0 0 0 0 1
21483 2023 5.0 27 0.0 NaN NaN 2.605 4.500 0.250000 0.0 ... 0 0 0 1 0 0 0 0 0 1
21484 2023 0.0 95 0.0 7.8 255.0 9.371 NaN 0.500000 0.0 ... 0 0 0 1 0 0 0 0 0 1
21485 2023 NaN 15 0.0 NaN NaN 3.091 2.000 0.000000 0.0 ... 0 0 0 1 0 0 0 0 0 0

21486 rows × 188 columns

In [85]:
from sklearn.impute import KNNImputer

# use KNN to impute missing values
imputer = KNNImputer(n_neighbors=5, weights="distance")
imputed = imputer.fit_transform(total_df_cp)

# replace values in the dataset with new imputed values
total_df_cp[total_df_cp.columns] = imputed
In [86]:
# Changed age_certification type to int
total_df_cp['age_certification'] = total_df_cp['age_certification'].astype('int')
In [87]:
# Map age_certification col back to the original values
age_certification_map = {0: 'PG', 1: 'R', 2: 'TV-14', 3: 'TV-MA', 4: 'TV-PG', 5: 'PG-13', 6: 'TV-Y',
       7: 'TV-Y7', 8: 'TV-G', 9: 'G', 10: 'NC-17', 11: 'TV-Y7-FV'}
total_df_cp['age_certification'] = total_df_cp['age_certification'].map(age_certification_map)

One hot encoding for age_certification col¶

In [88]:
encoded = pd.get_dummies(total_df_cp.age_certification.apply(pd.Series).stack(),  prefix = 'age_certification', drop_first=True).sum(level=0)
total_df_cp = pd.concat([total_df_cp, encoded], axis=1)
total_df_cp.drop('age_certification', axis=1, inplace=True)
total_df_cp
C:\Users\li493\AppData\Local\Temp\ipykernel_13524\1840666899.py:1: FutureWarning:

Using the level keyword in DataFrame and Series aggregations is deprecated and will be removed in a future version. Use groupby instead. df.sum(level=1) should use df.groupby(level=1).sum().

Out[88]:
release_year runtime seasons imdb_score imdb_votes tmdb_popularity tmdb_score score_actors score_directors Genre_action ... age_certification_PG age_certification_PG-13 age_certification_R age_certification_TV-14 age_certification_TV-G age_certification_TV-MA age_certification_TV-PG age_certification_TV-Y age_certification_TV-Y7 age_certification_TV-Y7-FV
0 1976.0 119.0 0.0 8.100000 588100.000000 106.361 7.782000 0.250000 0.0 0.0 ... 1 0 0 0 0 0 0 0 0 0
1 1978.0 110.0 0.0 7.200000 283316.000000 33.160 7.406000 0.500000 0.0 0.0 ... 1 0 0 0 0 0 0 0 0 0
2 1973.0 129.0 0.0 8.300000 266738.000000 24.616 8.020000 1.083333 0.0 0.0 ... 1 0 0 0 0 0 0 0 0 0
3 1979.0 119.0 0.0 7.300000 216307.000000 75.699 7.246000 0.250000 0.0 0.0 ... 1 0 0 0 0 0 0 0 0 0
4 1975.0 91.0 0.0 8.200000 547292.000000 20.964 7.804000 0.000000 0.0 0.0 ... 1 0 0 0 0 0 0 0 0 0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21481 2023.0 37.0 0.0 6.900000 27.000000 7.509 2.000000 0.000000 0.0 0.0 ... 0 0 1 0 0 0 0 0 0 0
21482 2023.0 62.0 0.0 5.500000 45.000000 3.402 6.000000 0.000000 0.0 0.0 ... 0 1 0 0 0 0 0 0 0 0
21483 2023.0 27.0 0.0 4.531676 2741.390634 2.605 4.500000 0.250000 0.0 0.0 ... 0 1 0 0 0 0 0 0 0 0
21484 2023.0 95.0 0.0 7.800000 255.000000 9.371 6.429593 0.500000 0.0 0.0 ... 1 0 0 0 0 0 0 0 0 0
21485 2023.0 15.0 0.0 6.422589 167.126148 3.091 2.000000 0.000000 0.0 0.0 ... 0 0 1 0 0 0 0 0 0 0

21486 rows × 198 columns

Drop features¶

We drop those featires because they're not fair to include in the model

In [89]:
total_df_cp.drop(['imdb_votes', 'tmdb_score', 'tmdb_popularity'], axis=1, inplace=True)

TF-IDF vectors¶

We process the words in the documents by doing:

  • Filter words to be from the english vovabulary
  • Lemmatization
  • Lower casing

* It didn't improve the result, thus it's commented¶

In [90]:
# # insert back the title and description columns
# total_df_cp = pd.concat([total_df_cp, title_description_cols], axis=1)
In [91]:
# english_vocab = sorted(set(w.lower() for w in nltk.corpus.words.words()))
# dictOfWords = { i : 0 for i in english_vocab }
In [92]:
# # we do lemmatization to the words in the files
# lemmatizer = WordNetLemmatizer()

# # Pre-process function to process the words
# def process(row):
#     description = str(row['description'])
#     title = str(row['title'])
    
#     word_list = word_tokenize(description)
#     word_list_title =  word_tokenize(title)
    
#     lemmatized_doc = ""
    
#     #description
#     for word in word_list:
#         # Keep only words appearing in the English vocabulary
#         if word.lower() in dictOfWords:
#             # Lemmatize the words
#             lemmatized_doc = lemmatized_doc + " " + lemmatizer.lemmatize(word.lower())
    
#     #title
#     for word in word_list_title:
#         # Keep only words appearing in the English vocabulary
#         if word.lower() in dictOfWords:
#             # Lemmatize the words
#             lemmatized_doc = lemmatized_doc + " " + lemmatizer.lemmatize(word.lower())
    
#     return lemmatized_doc
In [93]:
# total_df_cp['description'] = total_df_cp.apply(process, axis=1)

We used TfidfVectorizer class to create the idf vectors.
It converts a collection of raw documents to a matrix of TF-IDF features.
Parameters we used for definitation:

  • stop_words='english': removes english stop words.
  • min_df=1: ignore terms that have a document frequency less than 1.
  • norm=None: No normalization applied on the vectors.
  • sublinear_tf=True: Apply sublinear tf scaling, i.e. replace tf with 1 + log(tf).
  • smooth_idf=False: determines whether to smooth idf weights by adding one to document frequencies (no need to smooth idf because we defined min df as 1)

Formula for computing TF-IDF is:

tf-idf(t,d) = tf(t,d) × idf(t) </b>

Where:

$$idf(t) = log \frac{ N}{ df(t) }$$

N - the total number of documents

And: $$tf(t) = log(tf(t)) + 1$$

In [94]:
# # train vector
# tfidf_vect = TfidfVectorizer(stop_words='english', min_df=10, norm=None, sublinear_tf=True, smooth_idf=False)
# X_train_tfidf = tfidf_vect.fit_transform(total_df_cp['description'])
# X_train_tfidf.shape
In [95]:
# df_tfidf = pd.DataFrame(X_train_tfidf.toarray(), columns=tfidf_vect.get_feature_names_out())
In [96]:
# pd.DataFrame(X_train_tfidf.toarray(), columns=tfidf_vect.get_feature_names_out()).sample(10, axis=1).sample(10)
In [97]:
# total_df_cp = total_df_cp.reset_index(drop=True)
In [98]:
# total_df_cp = pd.concat([total_df_cp, df_tfidf], axis=1)
In [99]:
# del df_tfidf
In [100]:
# from sklearn.model_selection import train_test_split 
# X_movies = movies_df.drop('imdb_score', axis=1)
# y_movies = movies_df['imdb_score']
# X_train_movies,X_test_movies,y_train_movies,y_test_movies = train_test_split(X_movies ,y_movies, random_state = 42,test_size = 0.2)

# X_shows = shows_df.drop('imdb_score', axis=1)
# y_shows = shows_df['imdb_score']
# X_train_shows,X_test_shows,y_train_shows,y_test_shows = train_test_split(X_shows ,y_shows, random_state = 42,test_size = 0.2)

# X = total_df_cp.drop('imdb_score', axis=1)
# y = total_df_cp['imdb_score']
In [101]:
# for data in total_df_cp['imdb_score']:
#     q1 = total_df_cp['imdb_score'].quantile(0.25)
#     q3 = total_df_cp['imdb_score'].quantile(0.75)
#     iqr = q3 - q1
#     lower_tail = q1 - 1.5 * iqr
#     upper_tail = q3 + 1.5 * iqr
#     if data > upper_tail or data < lower_tail:
#         total_df_cp['imdb_score'] = total_df_cp['imdb_score'].replace(data, np.median(total_df_cp['imdb_score']))

Data split & Label transformation¶

In [102]:
total_df_cp.shape
Out[102]:
(21486, 195)

Change label from numeric to category using bins¶

In [103]:
total_df_cp["imdb_binned_score"]=pd.cut(total_df_cp['imdb_score'], bins=[0,4,6,8,10], right=True, labels=False)
C:\Users\li493\AppData\Local\Temp\ipykernel_13524\3635720060.py:1: PerformanceWarning:

DataFrame is highly fragmented.  This is usually the result of calling `frame.insert` many times, which has poor performance.  Consider joining all columns at once using pd.concat(axis=1) instead. To get a de-fragmented frame, use `newframe = frame.copy()`

In [104]:
total_df_cp.drop('imdb_score',axis=1,inplace=True)
In [105]:
X = total_df_cp.drop('imdb_binned_score', axis=1)
y = total_df_cp['imdb_binned_score']

Outliers¶

In [106]:
#total_df_cp = pd.concat([X_resampled, y_resampled], axis=1)
In [107]:
# Identify binary columns (floats with values 0 and 1)
binary_columns = total_df_cp.columns[(total_df_cp.eq(0) | total_df_cp.eq(1)).all()]

# Convert binary columns to the binary data type
total_df_cp[binary_columns] = total_df_cp[binary_columns].astype('bool')
In [108]:
numerical_features = total_df_cp.select_dtypes(exclude=['bool'])
categorical_features = total_df_cp.select_dtypes(include=['bool'])
In [109]:
df_cat = total_df_cp.drop(categorical_features.columns, axis=1)
In [110]:
# Standardize the data to have a mean of ~0 and a variance of 1
X_std1 = StandardScaler().fit_transform(df_cat)
In [111]:
# Import library
from pca import pca

# Initialize pca to also detected outliers.
model = pca(normalize=True, detect_outliers=['ht2', 'spe'], n_std=3)

# Fit and transform
results = model.fit_transform(X_std1)
[pca] >Column labels are auto-completed.
[pca] >Row labels are auto-completed.
[pca] >Normalizing input data per feature (zero mean and unit variance)..
[pca] >The PCA reduction is performed to capture [95.0%] explained variance using the [6] columns of the input data.
[pca] >Fit using PCA.
[pca] >Compute loadings and PCs.
[pca] >Compute explained variance.
[pca] >Number of components is [6] that covers the [95.00%] explained variance.
[pca] >The PCA reduction is performed on the [6] columns of the input dataframe.
[pca] >Fit using PCA.
[pca] >Compute loadings and PCs.
[pca] >Outlier detection using Hotelling T2 test with alpha=[0.05] and n_components=[6]
[pca] >Multiple test correction applied for Hotelling T2 test: [fdr_bh]
[pca] >Outlier detection using SPE/DmodX with n_std=[3]
In [112]:
print(results['outliers'])
        y_proba     p_raw    y_score  y_bool  y_bool_spe  y_score_spe
0      0.999028  0.266717  14.554336   False       False     1.584821
1      0.999028  0.683783   9.222899   False       False     1.504135
2      0.219603  0.011089  25.899866   False       False     3.261387
3      0.999028  0.724873   8.741066   False       False     1.141268
4      0.999028  0.383445  12.804020   False       False     1.168713
...         ...       ...        ...     ...         ...          ...
21481  0.999028  0.849681   7.118547   False       False     1.052147
21482  0.999028  0.911670   6.086295   False       False     1.087645
21483  0.999028  0.663882   9.452384   False       False     0.811881
21484  0.999028  0.861116   6.946702   False       False     0.699277
21485  0.999028  0.659296   9.505028   False       False     1.417872

[21486 rows x 6 columns]
In [113]:
# Plot SPE/DmodX method
model.biplot(SPE=True, HT2=True, title='Outliers marked using SPE/dmodX method.')
[datazets] >WARNING> No artists with labels found to put in legend.  Note that artists whose label start with an underscore are ignored when legend() is called with no argument.
[pca] >Plot PC1 vs PC2 with loadings.
Out[113]:
(<Figure size 2500x1500 with 1 Axes>,
 <AxesSubplot:title={'center':'Outliers marked using SPE/dmodX method.'}, xlabel='PC1 (26.2% expl.var)', ylabel='PC2 (21.0% expl.var)'>)
In [114]:
# Make a plot in 3 dimensions
model.biplot3d(SPE=True, HT2=True, arrowdict={'scale_factor': 2.5, 'fontsize': 20}, title='Outliers marked using SPE/dmodX method and Hotelling T2.')
[datazets] >WARNING> No artists with labels found to put in legend.  Note that artists whose label start with an underscore are ignored when legend() is called with no argument.
[pca] >Plot PC1 vs PC2 vs PC3 with loadings.
Out[114]:
(<Figure size 3000x2500 with 1 Axes>,
 <Axes3DSubplot:title={'center':'Outliers marked using SPE/dmodX method and Hotelling T2.'}, xlabel='PC1 (26.2% expl.var)', ylabel='PC2 (21.0% expl.var)'>)
In [115]:
# Grab overlapping outliers
I_overlap = np.logical_and(results['outliers']['y_bool'], results['outliers']['y_bool_spe'])
In [116]:
total_df_cp.loc[I_overlap, :]
Out[116]:
release_year runtime seasons score_actors score_directors Genre_action Genre_animation Genre_comedy Genre_crime Genre_documentation ... age_certification_PG-13 age_certification_R age_certification_TV-14 age_certification_TV-G age_certification_TV-MA age_certification_TV-PG age_certification_TV-Y age_certification_TV-Y7 age_certification_TV-Y7-FV imdb_binned_score
34 1989.0 24.0 9.0 0.250000 0.0 False False True False False ... False False False False False True False False False 3
44 1986.0 161.0 0.0 1.000000 1.0 False False False False False ... False False False False False False False False False 2
45 1989.0 124.0 0.0 1.083333 1.0 False False True False False ... True False False False False False False False False 2
46 1984.0 10.0 24.0 0.000000 0.0 True True True False False ... False False False False False False True False False 2
50 1987.0 10.0 13.0 0.000000 0.0 False True True True False ... False False False False False False True False False 2
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
21250 2022.0 103.0 0.0 1.416667 1.0 False False False False True ... True False False False False False False False False 2
21262 2021.0 196.0 0.0 4.000000 0.0 False False False False False ... False True False False False False False False False 2
21307 2022.0 102.0 0.0 0.000000 1.0 False False False False True ... True False False False False False False False False 2
21312 2021.0 104.0 0.0 2.916667 0.0 False False True False True ... False False False False False True False False False 2
21447 2021.0 60.0 0.0 0.000000 1.0 False False False False True ... True False False False False False False False False 2

632 rows × 195 columns

In [117]:
total_df_cp = total_df_cp.drop(index=total_df_cp.index[I_overlap])
In [118]:
total_df_cp.reset_index(inplace=True)
total_df_cp.drop('index', axis=1, inplace=True)
In [119]:
total_df_cp.shape
Out[119]:
(20854, 195)
In [120]:
X = total_df_cp.drop('imdb_binned_score', axis=1)
y = total_df_cp['imdb_binned_score']
In [121]:
# import pandas as pd
# from scipy import stats
# import matplotlib.pyplot as plt

# # Assuming you have already executed the code for outlier identification and have the outlier_indices

# # Create a DataFrame with the feature values and the outlier indicator
# df = pd.DataFrame(X_std1, columns=df_cat.columns)  # Replace X with your feature data
# df['Outlier'] = False
# df.loc[outlier_indices, 'Outlier'] = True

# # Separate the data into outlier and non-outlier groups
# outliers = df[df['Outlier']]
# non_outliers = df[~df['Outlier']]

# # Iterate over the features and compare their distributions
# for feature in df_cat.columns:  # Replace X.columns with your actual feature column names
#     outlier_values = outliers[feature]
#     non_outlier_values = non_outliers[feature]

#     # Compute summary statistics
#     outlier_mean = outlier_values.mean()
#     outlier_median = outlier_values.median()
#     outlier_std = outlier_values.std()

#     non_outlier_mean = non_outlier_values.mean()
#     non_outlier_median = non_outlier_values.median()
#     non_outlier_std = non_outlier_values.std()

#     # Visualize the distributions
#     plt.figure(figsize=(10, 6))
#     plt.hist(non_outlier_values, bins=30, alpha=0.5, label='Non-Outliers')
#     plt.hist(outlier_values, bins=30, alpha=0.5, label='Outliers')
#     plt.xlabel(feature)
#     plt.ylabel('Frequency')
#     plt.legend()
#     plt.show()

#     # Perform statistical tests
#     t_stat, p_value = stats.ttest_ind(outlier_values, non_outlier_values, equal_var=False)
#     print("Feature:", feature)
#     print("Outliers - Mean:", outlier_mean, "Median:", outlier_median, "Std:", outlier_std)
#     print("Non-Outliers - Mean:", non_outlier_mean, "Median:", non_outlier_median, "Std:", non_outlier_std)
#     print("Statistical Test - t-statistic:", t_stat, "p-value:", p_value)
#     print("----------------------------------")

Handling class imbalance¶

In [122]:
category_counts = y.value_counts()
In [123]:
category_counts
Out[123]:
2    11877
1     6745
3     1149
0     1083
Name: imdb_binned_score, dtype: int64
In [124]:
from imblearn.over_sampling import SMOTENC
In [125]:
import numpy as np
from imblearn.under_sampling import RandomUnderSampler

# undersampling

undersampled_category = 2

undersampler = RandomUnderSampler(sampling_strategy={undersampled_category: 6761})

X_resampled_under, y_resampled_under = undersampler.fit_resample(X, y)
In [126]:
# oversampling

categorical_features = [0, 3]
smotenc = SMOTENC(categorical_features=categorical_features)
X_resampled, y_resampled = smotenc.fit_resample(X_resampled_under, y_resampled_under)
In [127]:
import seaborn as sns

category_counts = y_resampled.value_counts()
category_counts = category_counts.sort_index()

categories = category_counts.index.tolist()
counts = category_counts.tolist()

# Define a list of colors for each category
colors = ['blue', 'orange', 'green', 'red']  # Add more colors if you have more categories

plt.figure(figsize=(10, 6))

# Create a bar plot using seaborn
sns.barplot(x=categories, y=counts)

plt.xlabel('Category')
plt.ylabel('Count')
plt.title('Category Count')

# Beautify the x-axis
plt.xticks(range(len(categories)), categories, ha='right')

plt.show()

Starting ml models¶

All

In [128]:
total_df_cp = pd.concat([X_resampled, y_resampled], axis=1)
In [129]:
X = total_df_cp.drop('imdb_binned_score', axis=1)
y = total_df_cp['imdb_binned_score']

PCA¶

Tried to do PCA but it didn't improve

In [130]:
# Standardize the data to have a mean of ~0 and a variance of 1
# X_std1 = StandardScaler().fit_transform(X)
In [131]:
# X.shape
In [132]:
# Create a PCA instance: pca
# pca1 = PCA()
# principalComponents1 = pca1.fit_transform(X_std1)
In [133]:
# Plot the explained variances
# plt.figure(figsize=(40, 20))
# features1 = range(pca1.n_components_)
# plt.bar(features1, pca1.explained_variance_ratio_, color='black')
# plt.xlabel('PCA features')
# plt.ylabel('variance %')
# plt.xticks(features1)
# # Save components to a DataFrame
# PCA_components1 = pd.DataFrame(principalComponents1)
In [134]:
# import numpy as np
# import matplotlib.pyplot as plt

# # Calculate the cumulative explained variance
# cumulative_variance = np.cumsum(pca1.explained_variance_ratio_)

# # Plot the cumulative explained variance
# plt.plot(range(1, len(cumulative_variance)+1), cumulative_variance, marker='o', linestyle='-')
# plt.xlabel('Number of Principal Components')
# plt.ylabel('Cumulative Explained Variance')
# plt.title('Cumulative Explained Variance vs. Number of PCs')
# plt.grid(True)

# # Find the elbow point (optimal number of PCs)
# elbow_point = np.argmax(cumulative_variance >= 0.95) + 1
# plt.axvline(x=elbow_point, color='r', linestyle='--')
# plt.text(elbow_point + 1, 0.95, f'{elbow_point} PCs', color='r')

# plt.show()
In [135]:
# X_ = PCA_components1.iloc[:, :2]
In [136]:
# X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.2, random_state=42)
In [137]:
# from sklearn.ensemble import GradientBoostingRegressor
# gradboost = GradientBoostingRegressor(n_estimators = 1000)
# gradboost.fit(X_train, y_train)
In [138]:
# from sklearn.metrics import make_scorer, r2_score
# y_pred = gradboost.predict(X_test)
# print(r2_score(y_test, y_pred))
In [ ]:
 
In [139]:
# from sklearn.metrics import make_scorer, accuracy_score
# scoring = make_scorer(accuracy_score)
In [140]:
# from sklearn.model_selection import GridSearchCV, KFold, train_test_split
# from sklearn.ensemble import GradientBoostingRegressor
# from sklearn.metrics import mean_squared_error
# import numpy as np


# # Split the data into training and testing sets
# X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.2, random_state=42)

# # Define the parameter grid for GridSearchCV
# param_grid = {
#     'learning_rate': [0.1, 0.01, 0.001],
#     'n_estimators': [100, 200, 300],
#     'max_depth': [3, 4, 5]
# }

# # Create the GradientBoostingRegressor model
# gb_regressor = GradientBoostingRegressor()

# # Create the GridSearchCV object with k-fold cross-validation
# grid_search = GridSearchCV(estimator=gb_regressor, param_grid=param_grid, scoring=scoring)

# # Fit the GridSearchCV object to find the best model
# grid_search.fit(X_train, y_train)

# # Print the best parameter configuration
# print("Best Parameters: ", grid_search.best_params_)

# # Get the best model
# best_model = grid_search.best_estimator_

# # Evaluate the best model on the test set
# y_pred = best_model.predict(X_test)
# mse = mean_squared_error(y_test, y_pred)
# print("Mean Squared Error: ", mse)
In [141]:
# from sklearn.metrics import r2_score, mean_squared_error
# r2_score(y_test, y_pred)

In [142]:
# tried to do feature selection
from sklearn.ensemble import ExtraTreesClassifier
import matplotlib.pyplot as plt
model = ExtraTreesClassifier()
model.fit(X, y)
#plot graph of feature importances for better visualization
feat_importances = pd.Series(model.feature_importances_, index=X.columns)
feat_importances.nlargest(20).plot(kind='barh')
plt.show()
In [143]:
top_threshold = len(feat_importances[feat_importances.lt(0.0001) == False])
In [145]:
new_total_df = total_df_cp[feat_importances.nlargest(top_threshold).index.to_list()]
new_total_df.shape
Out[145]:
(27044, 112)
In [146]:
X = new_total_df
y = total_df_cp['imdb_binned_score']

6-fold cross validation¶

In [147]:
from sklearn.model_selection import StratifiedKFold, KFold

cv_kf = KFold(n_splits=6, shuffle=True, random_state=10)
split_list = []
i = 0
for train, test in cv_kf.split(X, y):
    print("Fold",i)
    print("Train:",train)
    print(len(train))
    print("Test:",test)
    print(len(test))
    i += 1
    # Split the train and test sets
    X_train, X_test = X.loc[train], X.loc[test]
    y_train, y_test = y.loc[train], y.loc[test]
    batch = [X_train, y_train, X_test, y_test]
    split_list.append(batch)
Fold 0
Train: [    0     1     2 ... 27040 27042 27043]
22536
Test: [    5     7    16 ... 27023 27031 27041]
4508
Fold 1
Train: [    1     2     3 ... 27038 27039 27041]
22536
Test: [    0     9    13 ... 27040 27042 27043]
4508
Fold 2
Train: [    0     1     2 ... 27041 27042 27043]
22537
Test: [    3    34    44 ... 27036 27037 27038]
4507
Fold 3
Train: [    0     1     2 ... 27041 27042 27043]
22537
Test: [    8    12    21 ... 27024 27027 27028]
4507
Fold 4
Train: [    0     2     3 ... 27041 27042 27043]
22537
Test: [    1     4     6 ... 26988 26992 27039]
4507
Fold 5
Train: [    0     1     3 ... 27041 27042 27043]
22537
Test: [    2    11    18 ... 27017 27026 27032]
4507
In [148]:
from sklearn.metrics import r2_score, mean_squared_error, confusion_matrix
In [149]:
def err(model, model_name, X_test, y_test):
    y_pred = model.predict(X_test)
    rmse = np.sqrt(mean_squared_error(y_test, y_pred))
    r2 = r2_score(y_test, y_pred)
    
    print('RMSE: {0:.3f}'.format(rmse))
    print('R2 Score: {0:.3f}'.format(r2))
    
    model_names.append(model_name)
    values['RMSE'].append(rmse)
    values['R2_Score'].append(r2)
In [150]:
from collections import defaultdict
values = defaultdict(list)
model_names = list()
In [151]:
from sklearn import metrics
In [152]:
from sklearn.metrics import classification_report, confusion_matrix
In [153]:
from sklearn.ensemble import RandomForestClassifier
avg_acc_rf = 0
sensitivity_avg_rf = [0] * 4
specificity_avg_rf = [0] * 4
for split in split_list:

    X_train = split[0]
    y_train = split[1]
    X_test = split[2]
    y_test = split[3]
    ranfor = RandomForestClassifier()
    ranfor.fit(X_train, y_train)
    y_pred = ranfor.predict(X_test)
    print("Accuracy:",metrics.accuracy_score(y_test, y_pred))
    avg_acc_rf += metrics.accuracy_score(y_test, y_pred)
    cm = confusion_matrix(y_test, y_pred)

    # Calculate sensitivity and specificity for each class
    num_classes = len(cm)
    sensitivity = []
    specificity = []

    for i in range(num_classes):
        tp = cm[i, i]
        fn = np.sum(cm[i, :]) - tp
        fp = np.sum(cm[:, i]) - tp
        tn = np.sum(cm) - tp - fn - fp

        sensitivity.append(tp / (tp + fn))
        sensitivity_avg_rf[i] += tp / (tp + fn)
        specificity.append(tn / (tn + fp))
        specificity_avg_rf[i] += tn / (tn + fp)

    # Print sensitivity and specificity for each class
    for i in range(num_classes):
        print(f"Class {i+1}: Sensitivity = {sensitivity[i]}, Specificity = {specificity[i]}")

avg_acc_rf /= 6
sensitivity_avg_rf = [x/6 for x in sensitivity_avg_rf]
specificity_avg_rf = [x/6 for x in specificity_avg_rf]
print("AVERAGE METRICS")
print(f"Accuracy: {avg_acc_rf}")
for i in range(num_classes):
    print(f"Class {i+1}: Sensitivity = {sensitivity_avg_rf[i]}, Specificity = {specificity_avg_rf[i]}")
Accuracy: 0.7821650399290151
Class 1: Sensitivity = 0.8972222222222223, Specificity = 0.9609101516919487
Class 2: Sensitivity = 0.6370170709793351, Specificity = 0.8833578792341679
Class 3: Sensitivity = 0.6550179211469535, Specificity = 0.8935731132075472
Class 4: Sensitivity = 0.9316096747289407, Specificity = 0.9724992444847386
Accuracy: 0.7761756876663709
Class 1: Sensitivity = 0.9089301503094607, Specificity = 0.9541012733195143
Class 2: Sensitivity = 0.6482635796972396, Specificity = 0.8836041358936485
Class 3: Sensitivity = 0.6298932384341637, Specificity = 0.8965721040189125
Class 4: Sensitivity = 0.915929203539823, Specificity = 0.9674363528715216
Accuracy: 0.7727978699800311
Class 1: Sensitivity = 0.9181818181818182, Specificity = 0.9583211036102143
Class 2: Sensitivity = 0.6316695352839932, Specificity = 0.8896860986547085
Class 3: Sensitivity = 0.637089618456078, Specificity = 0.8863905325443787
Class 4: Sensitivity = 0.9132379248658319, Specificity = 0.9619356742401889
Accuracy: 0.778788551142667
Class 1: Sensitivity = 0.8955349620893007, Specificity = 0.9605421686746988
Class 2: Sensitivity = 0.6185752930568079, Specificity = 0.8819894055326662
Class 3: Sensitivity = 0.6628521126760564, Specificity = 0.8911302284188668
Class 4: Sensitivity = 0.9376744186046512, Specificity = 0.9714452214452215
Accuracy: 0.7719103616596406
Class 1: Sensitivity = 0.9266968325791856, Specificity = 0.959729570840682
Class 2: Sensitivity = 0.618231046931408, Specificity = 0.8887908208296558
Class 3: Sensitivity = 0.6296296296296297, Specificity = 0.8852653424251409
Class 4: Sensitivity = 0.9103448275862069, Specificity = 0.9623543471765761
Accuracy: 0.7765697803416907
Class 1: Sensitivity = 0.9015544041450777, Specificity = 0.9656613914601374
Class 2: Sensitivity = 0.6431064572425829, Specificity = 0.8815828622433799
Class 3: Sensitivity = 0.650355871886121, Specificity = 0.8876736624297961
Class 4: Sensitivity = 0.9156626506024096, Specificity = 0.9667444574095683
AVERAGE METRICS
Accuracy: 0.7764012151199026
Class 1: Sensitivity = 0.9080200649211774, Specificity = 0.959877609932866
Class 2: Sensitivity = 0.6328104971985611, Specificity = 0.8848352003980379
Class 3: Sensitivity = 0.6441397320381671, Specificity = 0.8901008305074404
Class 4: Sensitivity = 0.9207431166546439, Specificity = 0.9670692162713025
In [154]:
from xgboost import XGBClassifier
avg_acc_xgb = 0
sensitivity_avg_xgb = [0] * 4
specificity_avg_xgb = [0] * 4
for split in split_list:

    X_train = split[0]
    y_train = split[1]
    X_test = split[2]
    y_test = split[3]
    xgb = XGBClassifier()
    xgb.fit(X_train, y_train)
    y_pred = xgb.predict(X_test)
    print("Accuracy:",metrics.accuracy_score(y_test, y_pred))
    avg_acc_xgb += metrics.accuracy_score(y_test, y_pred)
    cm = confusion_matrix(y_test, y_pred)

    # Calculate sensitivity and specificity for each class
    num_classes = len(cm)
    sensitivity = []
    specificity = []

    for i in range(num_classes):
        tp = cm[i, i]
        fn = np.sum(cm[i, :]) - tp
        fp = np.sum(cm[:, i]) - tp
        tn = np.sum(cm) - tp - fn - fp

        sensitivity.append(tp / (tp + fn))
        sensitivity_avg_xgb[i] += tp / (tp + fn)
        specificity.append(tn / (tn + fp))
        specificity_avg_xgb[i] += tn / (tn + fp)

    # Print sensitivity and specificity for each class
    for i in range(num_classes):
        print(f"Class {i+1}: Sensitivity = {sensitivity[i]}, Specificity = {specificity[i]}")

avg_acc_xgb /= 6
sensitivity_avg_xgb = [x/6 for x in sensitivity_avg_xgb]
specificity_avg_xgb = [x/6 for x in specificity_avg_xgb]
print("AVERAGE METRICS")
print(f"Accuracy: {avg_acc_xgb}")
for i in range(num_classes):
    print(f"Class {i+1}: Sensitivity = {sensitivity_avg_xgb[i]}, Specificity = {specificity_avg_xgb[i]}")
Accuracy: 0.7788376220053239
Class 1: Sensitivity = 0.8722222222222222, Specificity = 0.9588681446907817
Class 2: Sensitivity = 0.6469002695417789, Specificity = 0.8895434462444771
Class 3: Sensitivity = 0.6890681003584229, Specificity = 0.8844339622641509
Class 4: Sensitivity = 0.9007506255212677, Specificity = 0.9731036566938652
Accuracy: 0.7732919254658385
Class 1: Sensitivity = 0.8921308576480991, Specificity = 0.9543973941368078
Class 2: Sensitivity = 0.641139804096171, Specificity = 0.8859675036927622
Class 3: Sensitivity = 0.6628113879003559, Specificity = 0.8891843971631206
Class 4: Sensitivity = 0.8955752212389381, Specificity = 0.9683244523386619
Accuracy: 0.7661415575771023
Class 1: Sensitivity = 0.8863636363636364, Specificity = 0.9603756970942178
Class 2: Sensitivity = 0.6273666092943201, Specificity = 0.885201793721973
Class 3: Sensitivity = 0.6690328305235137, Specificity = 0.8769230769230769
Class 4: Sensitivity = 0.8899821109123435, Specificity = 0.964886397167306
Accuracy: 0.7650321721766141
Class 1: Sensitivity = 0.8652064026958719, Specificity = 0.9569277108433735
Class 2: Sensitivity = 0.6266907123534716, Specificity = 0.8737492642731018
Class 3: Sensitivity = 0.6672535211267606, Specificity = 0.8860872144764165
Class 4: Sensitivity = 0.9004651162790698, Specificity = 0.969988344988345
Accuracy: 0.7625915242955402
Class 1: Sensitivity = 0.8995475113122172, Specificity = 0.9585537918871252
Class 2: Sensitivity = 0.601985559566787, Specificity = 0.8858487790526626
Class 3: Sensitivity = 0.6657848324514991, Specificity = 0.8725170471390453
Class 4: Sensitivity = 0.8801724137931034, Specificity = 0.9668359725126979
Accuracy: 0.7679165742178833
Class 1: Sensitivity = 0.8808290155440415, Specificity = 0.9638698118841446
Class 2: Sensitivity = 0.6431064572425829, Specificity = 0.8833680452246355
Class 3: Sensitivity = 0.6690391459074733, Specificity = 0.8776234111735146
Class 4: Sensitivity = 0.8822984244670992, Specificity = 0.9652858809801633
AVERAGE METRICS
Accuracy: 0.7689685626230505
Class 1: Sensitivity = 0.8827166076310148, Specificity = 0.9588320917560752
Class 2: Sensitivity = 0.6311982353491853, Specificity = 0.8839464720349354
Class 3: Sensitivity = 0.670498303044671, Specificity = 0.8811281848565541
Class 4: Sensitivity = 0.8915406520353036, Specificity = 0.9680707841135066
In [155]:
import lightgbm as lgb
avg_acc_lgb = 0
sensitivity_avg_lgb = [0] * 4
specificity_avg_lgb = [0] * 4
for split in split_list:

    X_train = split[0]
    y_train = split[1]
    X_test = split[2]
    y_test = split[3]
    lgbm = lgb.LGBMClassifier(objective = 'classification', num_leaves = 5, n_estimators = 1000)
    lgbm.fit(X_train, y_train)
    y_pred = lgbm.predict(X_test)
    print("Accuracy:",metrics.accuracy_score(y_test, y_pred))
    avg_acc_lgb += metrics.accuracy_score(y_test, y_pred)
    cm = confusion_matrix(y_test, y_pred)

    # Calculate sensitivity and specificity for each class
    num_classes = len(cm)
    sensitivity = []
    specificity = []

    for i in range(num_classes):
        tp = cm[i, i]
        fn = np.sum(cm[i, :]) - tp
        fp = np.sum(cm[:, i]) - tp
        tn = np.sum(cm) - tp - fn - fp

        sensitivity.append(tp / (tp + fn))
        sensitivity_avg_lgb[i] += tp / (tp + fn)
        specificity.append(tn / (tn + fp))
        specificity_avg_lgb[i] += tn / (tn + fp)

    # Print sensitivity and specificity for each class
    for i in range(num_classes):
        print(f"Class {i+1}: Sensitivity = {sensitivity[i]}, Specificity = {specificity[i]}")

avg_acc_lgb /= 6
sensitivity_avg_lgb = [x/6 for x in sensitivity_avg_lgb]
specificity_avg_lgb = [x/6 for x in specificity_avg_lgb]
print("AVERAGE METRICS")
print(f"Accuracy: {avg_acc_lgb}")
for i in range(num_classes):
    print(f"Class {i+1}: Sensitivity = {sensitivity_avg_lgb[i]}, Specificity = {specificity_avg_lgb[i]}")
Accuracy: 0.761756876663709
Class 1: Sensitivity = 0.8481481481481481, Specificity = 0.9591598599766628
Class 2: Sensitivity = 0.6415094339622641, Specificity = 0.875699558173785
Class 3: Sensitivity = 0.6657706093189965, Specificity = 0.8803066037735849
Class 4: Sensitivity = 0.8849040867389492, Specificity = 0.967966152916289
Accuracy: 0.7635314995563443
Class 1: Sensitivity = 0.8762157382847038, Specificity = 0.9502517026946994
Class 2: Sensitivity = 0.6366874443455031, Specificity = 0.8836041358936485
Class 3: Sensitivity = 0.6610320284697508, Specificity = 0.8826832151300237
Class 4: Sensitivity = 0.8787610619469026, Specificity = 0.9683244523386619
Accuracy: 0.7539383181717328
Class 1: Sensitivity = 0.8681818181818182, Specificity = 0.9518638098033461
Class 2: Sensitivity = 0.6239242685025818, Specificity = 0.885201793721973
Class 3: Sensitivity = 0.676131322094055, Specificity = 0.8736686390532544
Class 4: Sensitivity = 0.855098389982111, Specificity = 0.9604603127766302
Accuracy: 0.7477257599289994
Class 1: Sensitivity = 0.8365627632687447, Specificity = 0.9530120481927711
Class 2: Sensitivity = 0.6293958521190262, Specificity = 0.8643319599764567
Class 3: Sensitivity = 0.6461267605633803, Specificity = 0.8843073272026105
Class 4: Sensitivity = 0.8790697674418605, Specificity = 0.9621212121212122
Accuracy: 0.7579321056134901
Class 1: Sensitivity = 0.8796380090497737, Specificity = 0.9559082892416225
Class 2: Sensitivity = 0.6037906137184116, Specificity = 0.8864371874080612
Class 3: Sensitivity = 0.6701940035273368, Specificity = 0.8713311592054551
Class 4: Sensitivity = 0.875, Specificity = 0.9638482222886167
Accuracy: 0.7561570889727092
Class 1: Sensitivity = 0.8626943005181347, Specificity = 0.9558077037921767
Class 2: Sensitivity = 0.6335078534031413, Specificity = 0.8803927402558762
Class 3: Sensitivity = 0.6654804270462633, Specificity = 0.8779190067986994
Class 4: Sensitivity = 0.8665430954587581, Specificity = 0.9603267211201867
AVERAGE METRICS
Accuracy: 0.7568402748178308
Class 1: Sensitivity = 0.8619067962418873, Specificity = 0.9543339022835463
Class 2: Sensitivity = 0.628135911008488, Specificity = 0.8792778959049669
Class 3: Sensitivity = 0.6641225251699637, Specificity = 0.8783693251939382
Class 4: Sensitivity = 0.8732294002614304, Specificity = 0.9638411789269328
In [156]:
from sklearn.neighbors import KNeighborsClassifier
avg_acc_knn = 0
sensitivity_avg_knn = [0] * 4
specificity_avg_knn = [0] * 4
for split in split_list:

    X_train = split[0]
    y_train = split[1]
    X_test = split[2]
    y_test = split[3]
    knn = KNeighborsClassifier()
    knn.fit(X_train, y_train)
    y_pred = knn.predict(X_test)
    print("Accuracy:",metrics.accuracy_score(y_test, y_pred))
    avg_acc_knn += metrics.accuracy_score(y_test, y_pred)
    cm = confusion_matrix(y_test, y_pred)

    # Calculate sensitivity and specificity for each class
    num_classes = len(cm)
    sensitivity = []
    specificity = []

    for i in range(num_classes):
        tp = cm[i, i]
        fn = np.sum(cm[i, :]) - tp
        fp = np.sum(cm[:, i]) - tp
        tn = np.sum(cm) - tp - fn - fp

        sensitivity.append(tp / (tp + fn))
        sensitivity_avg_knn[i] += tp / (tp + fn)
        specificity.append(tn / (tn + fp))
        specificity_avg_knn[i] += tn / (tn + fp)

    # Print sensitivity and specificity for each class
    for i in range(num_classes):
        print(f"Class {i+1}: Sensitivity = {sensitivity[i]}, Specificity = {specificity[i]}")

avg_acc_knn /= 6
sensitivity_avg_knn = [x/6 for x in sensitivity_avg_knn]
specificity_avg_knn = [x/6 for x in specificity_avg_knn]
print("AVERAGE METRICS")
print(f"Accuracy: {avg_acc_knn}")
for i in range(num_classes):
    print(f"Class {i+1}: Sensitivity = {sensitivity_avg_knn[i]}, Specificity = {specificity_avg_knn[i]}")
C:\Users\li493\anaconda3\lib\site-packages\sklearn\neighbors\_classification.py:228: FutureWarning:

Unlike other reduction functions (e.g. `skew`, `kurtosis`), the default behavior of `mode` typically preserves the axis it acts along. In SciPy 1.11.0, this behavior will change: the default value of `keepdims` will become False, the `axis` over which the statistic is taken will be eliminated, and the value None will no longer be accepted. Set `keepdims` to True or False to avoid this warning.

Accuracy: 0.7014196983141082
Class 1: Sensitivity = 0.9111111111111111, Specificity = 0.9022753792298717
Class 2: Sensitivity = 0.522911051212938, Specificity = 0.8609720176730487
Class 3: Sensitivity = 0.49910394265232977, Specificity = 0.8903301886792453
Class 4: Sensitivity = 0.8665554628857381, Specificity = 0.9495315805379269
C:\Users\li493\anaconda3\lib\site-packages\sklearn\neighbors\_classification.py:228: FutureWarning:

Unlike other reduction functions (e.g. `skew`, `kurtosis`), the default behavior of `mode` typically preserves the axis it acts along. In SciPy 1.11.0, this behavior will change: the default value of `keepdims` will become False, the `axis` over which the statistic is taken will be eliminated, and the value None will no longer be accepted. Set `keepdims` to True or False to avoid this warning.

Accuracy: 0.7065217391304348
Class 1: Sensitivity = 0.9274977895667551, Specificity = 0.8969499555818774
Class 2: Sensitivity = 0.5503116651825467, Specificity = 0.8658788774002955
Class 3: Sensitivity = 0.48131672597864766, Specificity = 0.8995271867612293
Class 4: Sensitivity = 0.8646017699115044, Specificity = 0.9464179988158674
C:\Users\li493\anaconda3\lib\site-packages\sklearn\neighbors\_classification.py:228: FutureWarning:

Unlike other reduction functions (e.g. `skew`, `kurtosis`), the default behavior of `mode` typically preserves the axis it acts along. In SciPy 1.11.0, this behavior will change: the default value of `keepdims` will become False, the `axis` over which the statistic is taken will be eliminated, and the value None will no longer be accepted. Set `keepdims` to True or False to avoid this warning.

Accuracy: 0.7080097625915243
Class 1: Sensitivity = 0.9245454545454546, Specificity = 0.9016730261226886
Class 2: Sensitivity = 0.5499139414802066, Specificity = 0.8741405082212257
Class 3: Sensitivity = 0.4968944099378882, Specificity = 0.8920118343195266
Class 4: Sensitivity = 0.872093023255814, Specificity = 0.9424609029212156
C:\Users\li493\anaconda3\lib\site-packages\sklearn\neighbors\_classification.py:228: FutureWarning:

Unlike other reduction functions (e.g. `skew`, `kurtosis`), the default behavior of `mode` typically preserves the axis it acts along. In SciPy 1.11.0, this behavior will change: the default value of `keepdims` will become False, the `axis` over which the statistic is taken will be eliminated, and the value None will no longer be accepted. Set `keepdims` to True or False to avoid this warning.

Accuracy: 0.7024628355890836
Class 1: Sensitivity = 0.9073294018534119, Specificity = 0.9036144578313253
Class 2: Sensitivity = 0.5482416591523895, Specificity = 0.8522660388463802
Class 3: Sensitivity = 0.488556338028169, Specificity = 0.9056659744882825
Class 4: Sensitivity = 0.8613953488372093, Specificity = 0.9414335664335665
C:\Users\li493\anaconda3\lib\site-packages\sklearn\neighbors\_classification.py:228: FutureWarning:

Unlike other reduction functions (e.g. `skew`, `kurtosis`), the default behavior of `mode` typically preserves the axis it acts along. In SciPy 1.11.0, this behavior will change: the default value of `keepdims` will become False, the `axis` over which the statistic is taken will be eliminated, and the value None will no longer be accepted. Set `keepdims` to True or False to avoid this warning.

Accuracy: 0.7042378522298647
Class 1: Sensitivity = 0.9239819004524887, Specificity = 0.9018224573780129
Class 2: Sensitivity = 0.5442238267148014, Specificity = 0.8578993821712269
Class 3: Sensitivity = 0.4911816578483245, Specificity = 0.9015713015120072
Class 4: Sensitivity = 0.8560344827586207, Specificity = 0.9450253958769047
Accuracy: 0.6927002440647881
Class 1: Sensitivity = 0.9196891191709845, Specificity = 0.9008659301283966
Class 2: Sensitivity = 0.5331588132635253, Specificity = 0.8494495685807796
Class 3: Sensitivity = 0.48131672597864766, Specificity = 0.8870824711794265
Class 4: Sensitivity = 0.8387395736793327, Specificity = 0.9518669778296382
AVERAGE METRICS
Accuracy: 0.7025586886533005
Class 1: Sensitivity = 0.919025796116701, Specificity = 0.9012002010453622
Class 2: Sensitivity = 0.5414601595010679, Specificity = 0.8601010654821594
Class 3: Sensitivity = 0.48972830007066775, Specificity = 0.8960314928232863
Class 4: Sensitivity = 0.8599032768880365, Specificity = 0.9461227370691866
C:\Users\li493\anaconda3\lib\site-packages\sklearn\neighbors\_classification.py:228: FutureWarning:

Unlike other reduction functions (e.g. `skew`, `kurtosis`), the default behavior of `mode` typically preserves the axis it acts along. In SciPy 1.11.0, this behavior will change: the default value of `keepdims` will become False, the `axis` over which the statistic is taken will be eliminated, and the value None will no longer be accepted. Set `keepdims` to True or False to avoid this warning.

In [157]:
from sklearn.ensemble import GradientBoostingClassifier
avg_acc_gb = 0
sensitivity_avg_gb = [0] * 4
specificity_avg_gb = [0] * 4
for split in split_list:

    X_train = split[0]
    y_train = split[1]
    X_test = split[2]
    y_test = split[3]
    gb = GradientBoostingClassifier()
    gb.fit(X_train, y_train)
    y_pred = gb.predict(X_test)
    print("Accuracy:",metrics.accuracy_score(y_test, y_pred))
    avg_acc_gb += metrics.accuracy_score(y_test, y_pred)
    cm = confusion_matrix(y_test, y_pred)

    # Calculate sensitivity and specificity for each class
    num_classes = len(cm)
    sensitivity = []
    specificity = []

    for i in range(num_classes):
        tp = cm[i, i]
        fn = np.sum(cm[i, :]) - tp
        fp = np.sum(cm[:, i]) - tp
        tn = np.sum(cm) - tp - fn - fp

        sensitivity.append(tp / (tp + fn))
        sensitivity_avg_gb[i] += tp / (tp + fn)
        specificity.append(tn / (tn + fp))
        specificity_avg_gb[i] += tn / (tn + fp)

    # Print sensitivity and specificity for each class
    for i in range(num_classes):
        print(f"Class {i+1}: Sensitivity = {sensitivity[i]}, Specificity = {specificity[i]}")

avg_acc_gb /= 6
sensitivity_avg_gb = [x/6 for x in sensitivity_avg_gb]
specificity_avg_gb = [x/6 for x in specificity_avg_gb]
print("AVERAGE METRICS")
print(f"Accuracy: {avg_acc_gb}")
for i in range(num_classes):
    print(f"Class {i+1}: Sensitivity = {sensitivity_avg_gb[i]}, Specificity = {specificity_avg_gb[i]}")
Accuracy: 0.7138420585625554
Class 1: Sensitivity = 0.7861111111111111, Specificity = 0.9393232205367561
Class 2: Sensitivity = 0.6046720575022462, Specificity = 0.8668630338733432
Class 3: Sensitivity = 0.5940860215053764, Specificity = 0.8829599056603774
Class 4: Sensitivity = 0.8615512927439533, Specificity = 0.9295859776367482
Accuracy: 0.7038598047914818
Class 1: Sensitivity = 0.7922192749778957, Specificity = 0.9277465205803967
Class 2: Sensitivity = 0.6108637577916296, Specificity = 0.8655834564254062
Class 3: Sensitivity = 0.5649466192170819, Specificity = 0.8894799054373522
Class 4: Sensitivity = 0.8460176991150442, Specificity = 0.9224393132030787
Accuracy: 0.698690925227424
Class 1: Sensitivity = 0.7954545454545454, Specificity = 0.9301438215438802
Class 2: Sensitivity = 0.5826161790017211, Specificity = 0.8690582959641255
Class 3: Sensitivity = 0.582963620230701, Specificity = 0.8775147928994083
Class 4: Sensitivity = 0.8407871198568873, Specificity = 0.9209206255532606
Accuracy: 0.6915908586642999
Class 1: Sensitivity = 0.7531592249368155, Specificity = 0.9349397590361446
Class 2: Sensitivity = 0.5707844905320109, Specificity = 0.8619776339022954
Class 3: Sensitivity = 0.5862676056338029, Specificity = 0.8748145950756452
Class 4: Sensitivity = 0.8595348837209302, Specificity = 0.9175407925407926
Accuracy: 0.6964721544264477
Class 1: Sensitivity = 0.7945701357466063, Specificity = 0.9376837154614932
Class 2: Sensitivity = 0.5749097472924187, Specificity = 0.8699617534568991
Class 3: Sensitivity = 0.5767195767195767, Specificity = 0.8689593833382745
Class 4: Sensitivity = 0.8362068965517241, Specificity = 0.9187331939049895
Accuracy: 0.6993565564677169
Class 1: Sensitivity = 0.7677029360967185, Specificity = 0.943266646760227
Class 2: Sensitivity = 0.5907504363001745, Specificity = 0.8580779529901815
Class 3: Sensitivity = 0.5969750889679716, Specificity = 0.8791013892994384
Class 4: Sensitivity = 0.8480074142724745, Specificity = 0.9186114352392065
AVERAGE METRICS
Accuracy: 0.700635393023321
Class 1: Sensitivity = 0.7815362047206155, Specificity = 0.9355172806531497
Class 2: Sensitivity = 0.5890994447367001, Specificity = 0.8652536877687086
Class 3: Sensitivity = 0.5836597553790851, Specificity = 0.8788049952850826
Class 4: Sensitivity = 0.8486842177101689, Specificity = 0.9213052230130128

Compare the results¶

In [158]:
acc_dict = {"Accuracy": [avg_acc_rf, avg_acc_xgb, avg_acc_lgb, avg_acc_knn, avg_acc_gb],
            "Model": ["Random Forest", "XGBoost", "LGBM", "KNN", "Gradient Boost"]}
acc_dict = pd.DataFrame(acc_dict)
# visualize the target variable
plt.figure(figsize=(20, 10))
ax = sns.barplot(x="Model", y="Accuracy", data=acc_dict)
plt.show()
In [159]:
df = pd.DataFrame([['class 0','Random Forest',specificity_avg_rf[0]],['class 0','XGBoost',specificity_avg_xgb[0]],['class 0','LGBM',specificity_avg_lgb[0]],['class 0','KNN',specificity_avg_knn[0]], ['class 0','Gradient Boost',specificity_avg_gb[0]],
                    ['class 1','Random Forest',specificity_avg_rf[1]],['class 1','XGBoost',specificity_avg_xgb[1]],['class 1','LGBM',specificity_avg_lgb[1]],['class 1','KNN',specificity_avg_knn[1]], ['class 1','Gradient Boost',specificity_avg_gb[1]],
                   ['class 2','Random Forest',specificity_avg_rf[2]],['class 2','XGBoost',specificity_avg_xgb[2]],['class 2','LGBM',specificity_avg_lgb[2]],['class 2','KNN',specificity_avg_knn[2]], ['class 2','Gradient Boost',specificity_avg_gb[2]],
                   ['class 3','Random Forest',specificity_avg_rf[3]],['class 3','XGBoost',specificity_avg_xgb[3]],['class 3','LGBM',specificity_avg_lgb[3]],['class 3','KNN',specificity_avg_knn[3]], ['class 3','Gradient Boost',specificity_avg_gb[3]]],
                   columns=['Class','Model','Specificity'])
# visualize the target variable
plt.figure(figsize=(25, 15))
sns.barplot(data=df, x='Model', y='Specificity', hue='Class')
Out[159]:
<AxesSubplot:xlabel='Model', ylabel='Specificity'>
In [160]:
df = pd.DataFrame([['class 0','Random Forest',sensitivity_avg_rf[0]],['class 0','XGBoost',sensitivity_avg_xgb[0]],['class 0','LGBM',sensitivity_avg_lgb[0]],['class 0','KNN',sensitivity_avg_knn[0]], ['class 0','Gradient Boost',sensitivity_avg_gb[0]],
                    ['class 1','Random Forest',sensitivity_avg_rf[1]],['class 1','XGBoost',sensitivity_avg_xgb[1]],['class 1','LGBM',sensitivity_avg_lgb[1]],['class 1','KNN',sensitivity_avg_knn[1]], ['class 1','Gradient Boost',sensitivity_avg_gb[1]],
                   ['class 2','Random Forest',sensitivity_avg_rf[2]],['class 2','XGBoost',sensitivity_avg_xgb[2]],['class 2','LGBM',sensitivity_avg_lgb[2]],['class 2','KNN',sensitivity_avg_knn[2]], ['class 2','Gradient Boost',sensitivity_avg_gb[2]],
                   ['class 3','Random Forest',sensitivity_avg_rf[3]],['class 3','XGBoost',sensitivity_avg_xgb[3]],['class 3','LGBM',sensitivity_avg_lgb[3]],['class 3','KNN',sensitivity_avg_knn[3]], ['class 3','Gradient Boost',sensitivity_avg_gb[3]]],
                   columns=['Class','Model','Sensitivity'])
# visualize the target variable
plt.figure(figsize=(25, 15))
sns.barplot(data=df, x='Model', y='Sensitivity', hue='Class')
Out[160]:
<AxesSubplot:xlabel='Model', ylabel='Sensitivity'>
In [ ]: